-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathLC_79_WordSearch.cpp
73 lines (67 loc) · 2.02 KB
/
LC_79_WordSearch.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
/*
79. Word Search
https://leetcode.com/problems/word-search/
*/
class Solution {
public:
int m, n;
// vector<vector<bool>> vis;
// string w;
// vector<vector<char>> board;
bool exist(vector<vector<char>>& board, string word) {
m = board.size();
n = board[0].size();
// w = word;
// this->board = board;
// vis.resize(m, vector<bool>(n, false));
for(int i=0; i<m; i++)
{
for(int j=0; j<n; j++)
{
if(word[0] == board[i][j])
{
// cout<<i<<" "<<j<<endl;
if(solve2(0, i, j, board, word)) return true;
}
// if(milgya) return true;
}
}
return false;
}
bool solve2(int idx, int i, int j, vector<vector<char>>& board, string& word)
{
if(idx == word.size())
return true;
if(i<0 or i>=m or j<0 or j>=n or board[i][j] != word[idx] ) return false;
char temp = board[i][j];
board[i][j] = '*';
// down, up, left, right
bool ans = solve2(idx+1, i+1, j, board, word)
or
solve2(idx+1, i-1, j, board, word)
or
solve2(idx+1, i, j-1, board, word)
or
solve2(idx+1, i, j+1, board, word);
board[i][j] = temp;
return ans;
}
// left right, up down
// vector<pair<int,int>> dirs = {{0, 1}, {0, -1}, {1, 0}, {-1, 0}};
// bool solve(int idx, int i, int j)
// {
// if(idx == w.size())
// return true;
// // cout<<idx<<" "<<w[idx]<<" "<<i<<" "<<j<<endl;
// for(auto [x, y] : dirs)
// {
// x = i + x;
// y = j + y;
// if(x>=m or x<0 or y>=n or y<0 or vis[x][y] or board[x][y] != w[idx]) continue;
// vis[i][j] = true;
// if(solve(idx+1, x, y)) return true;
// vis[i][j] = false;
// }
// return false;
// }
};