Problem Description
Given a robot located at the top-left corner of an m x n grid, the robot can only move either down or right to reach the bottom-right corner. The task is to determine the number of unique paths the robot can take to reach its destination.
Key Insights
- The robot can only move in two directions: right and down.
- The number of unique paths can be determined using either combinatorial mathematics or dynamic programming.
- The problem can be visualized as a grid, where each cell represents a point in the robot's journey.
Space and Time Complexity
Time Complexity: O(m * n)
Space Complexity: O(n) (for the dynamic programming approach, if optimized)
Solution
To solve the problem, we can use a dynamic programming approach. We create a 2D array (or a 1D array for optimization) to store the number of unique paths to each cell in the grid. The value at each cell is the sum of the values from the cell directly above it and the cell directly to the left of it. This is because the robot can only come from those two directions.
- Initialize a 2D array
dp
wheredp[i][j]
represents the number of unique paths to reach cell (i, j). - Set
dp[0][0]
to 1, as there is one way to be at the starting point. - For each cell (i, j), update
dp[i][j]
as follows:- If i > 0, add
dp[i-1][j]
(paths from the cell above). - If j > 0, add
dp[i][j-1]
(paths from the cell to the left).
- If i > 0, add
- The answer will be found at
dp[m-1][n-1]
, which represents the number of unique paths to the bottom-right corner.