InterviewNoodle

One stop learning portal for your next coding and system design interview.

Follow publication

Backtrack by using bit mask to record visited nodes

Jimmy (xiaoke) Shen
InterviewNoodle
Published in
3 min readNov 2, 2021

--

Photo by Anne Nygård on Unsplash

About using Bit mask as visited or seen in BFS/DFS

About backtrack

Backtrack with pruning

Problem

980. Unique Paths III

Reference Code

using PII = pair<int, int>;
vector<PII> dirs = {{0, 1},{0, -1},{1, 0},{-1, 0}};
class Solution {
public:
void backtrack(int n, int m, int status, int start, int end, int steps, int target_step, int &ret){
if (status & (1 << start))return;
status |= (1<<start);
steps++;
if (start == end){
if (steps == target_step) ret++;
return;
}
int i = start/m, j = start%m;
for (auto [di, dj]: dirs){
int r = i + di, c = j + dj;
int new_start = r*m + c;
if (r < 0 || r >= n || c < 0 || c >= m || status & (1 << new_start))continue;
backtrack(n, m, status, new_start , end, steps , target_step, ret);
}
return;

}
int uniquePathsIII(vector<vector<int>>& grid) {
const int n = grid.size(), m = grid[0].size();
int target_steps = n*m, start = 0, end = 0, status=0;
for (int i = 0; i < n; ++i){
for (int j = 0; j < m; ++j){
if (grid[i][j] == -1){
status |= (1 << (i*m+j));
target_steps--;
}
else if (grid[i][j] == 2){
end = i*m + j;
} else if (grid[i][j] == 1){
start = i*m + j;
}
}
}
int ret = 0;
backtrack(n, m, status, start , end, 0, target_steps, ret);
return ret;


}
};

run time

Runtime: 0 ms

Tricks used

status |= (1<<start);

Time complexity

3^20 = 3,486,784,401

--

--

No responses yet

Write a response