一個機器人位于一個 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. 向下 -> 向下 -> 向右 -> 向右
解題思路
class Solution:
def uniquePathsWithObstacles(self, obstacleGrid: [[int]]) -> int:
rowLen = len(obstacleGrid)
colLen = len(obstacleGrid[0])
if rowLen==1 and colLen==1:#邊界條件
return 1 if obstacleGrid[0][0] ==0 else 0
#起點終點有阻礙就直接終止
if obstacleGrid[rowLen-1][colLen-1]==1 or obstacleGrid[0][0]==1:
return 0
countGrid = [[0]*colLen for i in range(rowLen)]
for i in range(rowLen):
if obstacleGrid[i][0] == 1:break#對邊邊有阻礙,路線終止
countGrid[i][0] = 1
for j in range(colLen):
if obstacleGrid[0][j] == 1: break#對邊邊有阻礙,路線終止
countGrid[0][j] = 1
for i in range(1, rowLen):
for j in range(1, colLen):
leftCount = countGrid[i-1][j] if obstacleGrid[i-1][j] == 0 else 0
topCount = countGrid[i][j-1] if obstacleGrid[i][j-1] == 0 else 0
countGrid[i][j] = leftCount + topCount
# print(countGrid)
return countGrid[rowLen-1][colLen-1]