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: m and n will be at most 100.
Example 1:
Input: m = 3, n = 2
Output: 3
Explanation:
From the top-left corner, there are a total of 3 ways to reach the bottom-right corner:
1. Right -> Right -> Down
2. Right -> Down -> Right
3. Down -> Right -> Right
Example 2:
Input: m = 7, n = 3
Output: 28
Notes
It is a DP problem.
-
There are only two possibilities to arrive at the finish point
- arrive at that point from above
- arrive at that point from left
-
So the ways to arrive at current point is equal to the ways from above plus the ways from left. dp[i][j] = dp[i][j-1] + dp[i - 1][j]
-
Dynamic programming. Maintain a two dimensional matrix.
-
Optimize it to one dimension.
-
Complexity O(m * n)
UniquePath with 2-D DP
dp[i][j] = dp[i-1][j] + dp[i][j-1]
After you have the edge, you go levelly to the bottom.
UniquePath with 1-D DP
dp[j] = dp[j - 1] + dp[j]
Solution
Solution 1: 2-D DP
class Solution():
def uniquePath(self, m, n):
dp = [[1 for j in range(n)] for i in range(m)]
for i in range(1, m):
for j in range(1, n):
dp[i][j] = dp[i][j - 1] + dp[i - 1][j]
return dp[-1][-1] if m and n else 0
Solution 2: 1-D DP
class Solution():
def uniquePath(self, m, n):
dp = [1] * n
for i in range(1, m):
for j in range(1, n):
dp[j] = dp[j - 1] + dp[j]
return dp[-1] if m and n else 0