LeetCode 63번 Unique Paths II Java

: ) YOUNG·2024년 6월 28일
1

알고리즘

목록 보기
383/411
post-thumbnail

LeetCode 63번
https://leetcode.com/problems/unique-paths/description/

문제



생각하기


  • DP, memoization 문제이다.

  • Unique Paths 1에서 장애물만 추가되었다.



동작



결과


코드




import java.util.*;

class Solution {
    private static int[][] map, memo;
    private static int N, M;    

    public int uniquePathsWithObstacles(int[][] obstacleGrid) {
        N = obstacleGrid.length;
        M = obstacleGrid[0].length;
        map = obstacleGrid;
        memo = new int[N][M];
        for(int i=0; i<N; i++) {
            Arrays.fill(memo[i], -1);
        }

        int ret = topDown(N - 1, M - 1);

        return ret;        
    } // End of uniquePathsWithObstacles()

    private int topDown(int n, int m) {
        if(n < 0 || m < 0) return 0;
        else if(map[n][m] == 1) return 0;
        else if(n == 0 && m == 0) return 1;

        if(memo[n][m] != -1) return memo[n][m];

        memo[n][m] = topDown(n - 1, m) + topDown(n, m - 1);

        return memo[n][m];
    } // End of topDown()
} // End of Solution class

0개의 댓글