[LintCode/LeetCode] Unique Paths

1365 단어 grid자바
Problem
A robot is located at the top-left corner of a m x n grid (marked 'Start' in the diagram below).
The robot can only move either down or right at any point in time. The robot is trying to reach the bottom-right corner of the grid (marked 'Finish' in the diagram below).
How many possible unique paths are there?
Note
간단 한 동 규 문제, dp 배열 을 만 듭 니 다.dp[i][j] 좌 표 는 행렬 의 좌표 이 고 값 은 왼쪽 상단 에서 이 칸 까지 의 주 법 총수 이다.초기 값 을 부여 합 니 다. 맨 위 줄 과 맨 왼쪽 열 에 있 는 모든 칸 의 주 법 은 한 가지 만 있 고 나머지 칸 의 주 법 은 왼쪽 칸 의 주 법 과 위 칸 의 주 법 과 같 습 니 다.마지막 으로 돌아 가면 된다 dp[m-1][n-1].
Solution
2 차원 DP
public class Solution {
    public int uniquePaths(int m, int n) {
        int[][] dp = new int[m][n];
        for (int i = 0; i < m; i++) {
            for (int j = 0; j < n; j++) {
                if (i == 0 || j == 0) dp[i][j] = 1;
                else dp[i][j] = dp[i-1][j] + dp[i][j-1];
            }
        }
        return dp[m-1][n-1];
    }
}

1 차원 DP

public class Solution {
    public int uniquePaths(int m, int n) {
        int[] dp = new int[n];
        Arrays.fill(dp, 1);
        for (int i = 1; i < m; i++) {
            for (int j = 1; j < n; j++) {
                dp[j] += dp[j-1];
            }
        }
        return dp[n-1];
    }
}

좋은 웹페이지 즐겨찾기