在二維網格 grid 上,有 4 種類型的方格:bash
1 表示起始方格。且只有一個起始方格。 2 表示結束方格,且只有一個結束方格。 0 表示咱們能夠走過的空方格。 -1 表示咱們沒法跨越的障礙。 返回在四個方向(上、下、左、右)上行走時,從起始方格到結束方格的不一樣路徑的數目,每個無障礙方格都要經過一次。ui
示例 1:this
輸入:[[1,0,0,0],[0,0,0,0],[0,0,2,-1]]
輸出:2
解釋:咱們有如下兩條路徑:
1. (0,0),(0,1),(0,2),(0,3),(1,3),(1,2),(1,1),(1,0),(2,0),(2,1),(2,2)
2. (0,0),(1,0),(2,0),(2,1),(1,1),(0,1),(0,2),(0,3),(1,3),(1,2),(2,2)
複製代碼
示例 2:spa
輸入:[[1,0,0,0],[0,0,0,0],[0,0,0,2]]
輸出:4
解釋:咱們有如下四條路徑:
1. (0,0),(0,1),(0,2),(0,3),(1,3),(1,2),(1,1),(1,0),(2,0),(2,1),(2,2),(2,3)
2. (0,0),(0,1),(1,1),(1,0),(2,0),(2,1),(2,2),(1,2),(0,2),(0,3),(1,3),(2,3)
3. (0,0),(1,0),(2,0),(2,1),(2,2),(1,2),(1,1),(0,1),(0,2),(0,3),(1,3),(2,3)
4. (0,0),(1,0),(2,0),(2,1),(1,1),(0,1),(0,2),(0,3),(1,3),(1,2),(2,2),(2,3)
複製代碼
示例 3:code
輸入:[[0,1],[2,0]]
輸出:0
解釋:
沒有一條路能徹底穿過每個空的方格一次。
請注意,起始和結束方格能夠位於網格中的任意位置。
複製代碼
提示:it
1 <= grid.length * grid[0].length <= 20
複製代碼
解答以下:io
class Solution {
int solution = 0;
boolean trace[][];
int count = 0;
public int uniquePathsIII(int[][] grid) {
trace = new boolean[grid.length][grid[0].length];
int row = 0, col = 0;
for (int i = 0; i < grid.length; i++) {
for (int j = 0; j < grid[0].length; j++) {
if (grid[i][j] == 1) {
row = i;
col = j;
}
if (grid[i][j] != -1) {
count++;
}
}
}
move(row, col, grid, 1);
return solution;
}
public void move(int row, int col, int grid[][], int count) {
if (row >= grid.length || row < 0 || col >= grid[0].length || col < 0 || trace[row][col] || grid[row][col] == -1) {
return;
}
if (grid[row][col] == 2) {
if (this.count == count) {
solution++;
return;
}
} else {
trace[row][col] = true;
move(row + 1, col, grid, count + 1);
move(row - 1, col, grid, count + 1);
move(row, col + 1, grid, count + 1);
move(row, col - 1, grid, count + 1);
trace[row][col] = false;
}
}
}
複製代碼