来源:Leetcode
原帖:http://oj.leetcode.com/problems/word-search/
题目:
Given a 2D board and a word, find if the word exists in the grid. The word can be constructed from letters of sequentially adjacent cell, where "adjacent" cells are those horizontally or vertically neighboring. The same letter cell may not be used more than once.
For example,
Given board =
[
["ABCE"],
["SFCS"],
["ADEE"]
]
word = "ABCCED", -> returns true,
word = "SEE", -> returns true,
word = "ABCB", -> returns false.
代码:
原帖:http://oj.leetcode.com/problems/word-search/
题目:
Given a 2D board and a word, find if the word exists in the grid. The word can be constructed from letters of sequentially adjacent cell, where "adjacent" cells are those horizontally or vertically neighboring. The same letter cell may not be used more than once.
For example,
Given board =
[
["ABCE"],
["SFCS"],
["ADEE"]
]
word = "ABCCED", -> returns true,
word = "SEE", -> returns true,
word = "ABCB", -> returns false.
代码:
class Solution {
public:
vector<pair<int,int> > offset = {{-1, 0}, {1, 0}, {0, -1}, {0, 1}};
bool exist(vector<vector<char> > &board, string word) {
int M = board.size(), N = board[0].size();
vector<vector<bool> > visited(M, vector<bool>(N, false)); // visiting status
for (int i = 0; i < M; ++i) {
for (int j = 0; j < N; ++j) {
if (existHelper(board, word, 0, i, j, visited)) {
return true;
}
}
}
return false;
}
bool existHelper(const vector<vector<char> > &board, const string &word, int deep, int i, int j,
vector<vector<bool> > &visited) {
int M = board.size(), N = board[0].size();
if (deep == word.size()) return true;
if (i < 0 || i >= M || j < 0 || j >= N) return false;
if (board[i][j] != word[deep] || visited[i][j] == true) return false;
visited[i][j] = true;
for (auto o : offset) {
if (existHelper(board, word, deep + 1, i+o.first, j+o.second, visited)) {
return true;
}
}
visited[i][j] = false;
return false;
}
};
No comments:
Post a Comment