Leetcode演算法Java全解答-- 63. 不同路徑 II
阿新 • • 發佈:2018-12-26
Leetcode演算法Java全解答-- 63. 不同路徑 II
文章目錄
題目
一個機器人位於一個 m x n 網格的左上角 (起始點在下圖中標記為“Start” )。
機器人每次只能向下或者向右移動一步。機器人試圖達到網格的右下角(在下圖中標記為“Finish”)。
現在考慮網格中有障礙物。那麼從左上角到右下角將會有多少條不同的路徑?
網格中的障礙物和空位置分別用 1 和 0 來表示。
說明:m 和 n 的值均不超過 100。
示例 1:
輸入:
[
[0,0,0],
[0,1,0],
[0,0,0]
]
輸出: 2
解釋:
3x3 網格的正中間有一個障礙物。
從左上角到右下角一共有 2 條不同的路徑:
1. 向右 -> 向右 -> 向下 -> 向下
2. 向下 -> 向下 -> 向右 -> 向右
想法
用上62題的題解,在迴圈中加上障礙物的判斷就解決呢
結果
超過93%的測試案例
時間複雜度/空間複雜度:n*m/n
總結
程式碼
我的答案
public int uniquePathsWithObstacles(int[][] obstacleGrid) { if (obstacleGrid.length == 0 || obstacleGrid[0].length == 0) { return 0; } int m = obstacleGrid.length; int n = obstacleGrid[0].length; int[][] dp = new int[m][n]; for (int i = 0; i < m; i++) { for (int j = 0; j < n; j++) { if (obstacleGrid[i][j] == 1) { dp[i][j] = 0; } else { if (i == 0 && j == 0) { dp[i][j] = 1; continue; } if (i == 0) { dp[i][j] = dp[i][j - 1]; continue; } if (j == 0) { dp[i][j] = dp[i - 1][j]; continue; } dp[i][j] = dp[i - 1][j] + dp[i][j - 1]; } } } return dp[m - 1][n - 1]; }
大佬們的答案
public int better(int[][] obstacleGrid) { int m = obstacleGrid.length; int n = obstacleGrid[0].length; int[] res = new int[n]; res[0] = 1; for (int i = 0; i < m; i++) { for (int j = 0; j < n; j++) { if (obstacleGrid[i][j] == 1) { res[j] = 0; } else if (j > 0) { res[j] = res[j] + res[j - 1]; } } } return res[n - 1]; }
測試用例
@Test
public void test063() {
// 建立測試案例
int[][] arr1 = new int[3][3];
arr1[0][0] = 0;
arr1[0][1] = 0;
arr1[0][2] = 0;
arr1[1][0] = 0;
arr1[1][1] = 1;
arr1[1][2] = 0;
arr1[2][0] = 0;
arr1[2][1] = 0;
arr1[2][2] = 0;
int[][] arr2 = new int[1][1];
arr2[0][0] = 1;
// 測試案例期望值
int expResult1 = 2;
int expResult2 = 0;
// 執行方法
Solution063 solution063 = new Solution063();
int result1 = solution063.uniquePathsWithObstacles(arr1);
int result2 = solution063.uniquePathsWithObstacles(arr2);
// 判斷期望值與實際值
Assert.assertEquals(expResult1, result1);
Assert.assertEquals(expResult2, result2);
}
其他
程式碼託管碼雲地址:https://gitee.com/lizhaoandroid/LeetCodeAll.git
檢視其他內容可以點選專欄或者我的部落格哈:https://blog.csdn.net/cmqwan
“大佬們的答案” 標籤來自leetcode,侵權請聯絡我進行刪改
如有疑問請聯絡,聯絡方式:QQ3060507060