-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathshortest_path_to_get_all_keys.cpp
82 lines (79 loc) · 3.26 KB
/
shortest_path_to_get_all_keys.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
// Question LInk - https://leetcode.com/problems/shortest-path-to-get-all-keys/description
// Solution
class Solution {
public:
bool checker(int x, int y, int n, int m)
{
if(x >= 0 && x<n && y>=0 && y<m) return true;
return false;
}
int shortestPathAllKeys(vector<string>& grid) {
int nkeys=0, inix=0, iniy=0;
for(int i=0; i<grid.size();i++)
{
for(int j=0;j<grid[0].size();j++)
{
if(grid[i][j] == '@')
{
inix = i;
iniy = j;
}
else if(grid[i][j] >= 'a' && grid[i][j] <= 'z') nkeys++;
}
}
int mask = 1<<(nkeys);
int orig = 1<<(nkeys+1);
vector<vector<vector<bool>>> vis(orig, vector<vector<bool>> (grid.size(), vector<bool> (grid[0].size(), false)));
vector<int> dx = {1,0,-1,0};
vector<int> dy = {0,1,0,-1};
queue<pair<pair<int,int>,pair<int,int>>> q;
q.push(make_pair(make_pair(inix, iniy),make_pair(0,mask)));
while(!q.empty())
{
pair<pair<int,int>,pair<int,int>> p = q.front();
q.pop();
vis[p.second.second][p.first.first][p.first.second] = true;
if(p.second.second == ((1<<(nkeys+1))-1)) return p.second.first;
for(int i=0;i<4; i++)
{
int xx = p.first.first + dx[i];
int yy = p.first.second + dy[i];
if(checker(xx,yy,grid.size(),grid[0].size()) && grid[xx][yy] != '#' && !vis[p.second.second][xx][yy])
{
// cout<<xx<<" "<<yy<<" "<<p.second.second<<" "<<p.second.second<<endl;
if(grid[xx][yy] >= 'a' && grid[xx][yy] <= 'z')
{
int l = grid[xx][yy]-'a';
if((p.second.second & (1<<l)) == 0)
{
q.push(make_pair(make_pair(xx,yy),make_pair(p.second.first+1,p.second.second | (1<<l))));
vis[p.second.second | (1<<l)][xx][yy] = true;
}
else
{
q.push(make_pair(make_pair(xx,yy),make_pair(p.second.first+1,p.second.second )));
vis[p.second.second][xx][yy] = true;
}
}
else if(grid[xx][yy] >= 'A' && grid[xx][yy] <= 'Z')
{
int l = grid[xx][yy]+32 -'a';
// cout<<l<<"Big "<<(p.second.second & (1<<l))<<endl;
if((p.second.second & (1<<l)) != 0)
{
q.push(make_pair(make_pair(xx,yy),make_pair(p.second.first+1,p.second.second)));
vis[p.second.second][xx][yy] = true;
}
}
else //if(grid[xx][yy] == '.')
{
q.push(make_pair(make_pair(xx,yy),make_pair(p.second.first+1,p.second.second)));
vis[p.second.second][xx][yy]=true;
}
}
}
}
// cout<<
return -1;
}
};