Word Search
Problem
Given an m x n
grid of characters board
and a string word
, return true
if word
exists in the grid.
The word can be constructed from letters of sequentially adjacent cells, where adjacent cells are horizontally or vertically neighboring. The same letter cell may not be used more than once.
Solution Approach
Think of BFS, Backtracking and Dynamic Programming.
Expected Time complexity:
Click - to see solution code
- C++
class Solution {
vector<vector<char>> board;
public:
bool search(string word, int ix, int i, int j) {
if (i >= board.size() || j >= board[0].size()) return false;
if (ix >= word.length()) return true;
if (word[ix] != this->board[i][j]) return false;
if (ix == word.length() - 1) return true;
char ch = board[i][j];
board[i][j] = '*';
int dx[] = {0, 0, 1, -1};
int dy[] = {1, -1, 0, 0};
for (int k = 0; k < 4; k++)
if (search(word, ix + 1, i + dx[k], j + dy[k])) return true;
board[i][j] = ch;
return false;
}
bool exist(vector<vector<char>>& board, string word) {
int n = board.size();
int m = board[0].size();
this->board = board;
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (search(word, 0, i, j)) return true;
}
}
return false;
}
};