Word Search

Question

Problem Statement

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.

Example

Given board =

  1. [
  2. "ABCE",
  3. "SFCS",
  4. "ADEE"
  5. ]
  • word = "ABCCED", -> returns true,
  • word = "SEE", -> returns true,
  • word = "ABCB", -> returns false.

题解

典型的 DFS 实现,这里有上下左右四个方向,往四个方向递归之前需要记录坐标处是否被访问过,并且在不满足条件时要重置该标记变量。该题的一大难点是如何处理起始点和字符串的第一个字符不等的情况,我最开始尝试在一个 DFS 中解决,发现很难 bug-free, 而且程序逻辑支离破碎。后来看了下其他题解发现简单粗暴的方法就是双重循环嵌套 DFS…

Java

  1. public class Solution {
  2. /**
  3. * @param board: A list of lists of character
  4. * @param word: A string
  5. * @return: A boolean
  6. */
  7. public boolean exist(char[][] board, String word) {
  8. if (board == null || board.length == 0 || board[0].length == 0) return false;
  9. if (word == null || word.length() == 0) return false;
  10. boolean[][] visited = new boolean[board.length][board[0].length];
  11. for (int i = 0; i < board.length; i++) {
  12. for (int j = 0; j < board[0].length; j++) {
  13. if (dfs(board, word, visited, i, j, 0)) {
  14. return true;
  15. }
  16. }
  17. }
  18. return false;
  19. }
  20. public boolean dfs(char[][] board, String word,
  21. boolean[][] visited,
  22. int row, int col,
  23. int wi) {
  24. // out of index
  25. if (row < 0 || row > board.length - 1 ||
  26. col < 0 || col > board[0].length - 1) {
  27. return false;
  28. }
  29. if (!visited[row][col] && board[row][col] == word.charAt(wi)) {
  30. // return instantly
  31. if (wi == word.length() - 1) return true;
  32. // traverse unvisited row and col
  33. visited[row][col] = true;
  34. boolean down = dfs(board, word, visited, row + 1, col, wi + 1);
  35. boolean right = dfs(board, word, visited, row, col + 1, wi + 1);
  36. boolean up = dfs(board, word, visited, row - 1, col, wi + 1);
  37. boolean left = dfs(board, word, visited, row, col - 1, wi + 1);
  38. // reset with false if none of above is true
  39. visited[row][col] = up || down || left || right;
  40. return up || down || left || right;
  41. }
  42. return false;
  43. }
  44. }

源码分析

注意处理好边界退出条件及visited在上下左右四个方向均为false时需要重置。判断字符串字符和board中字符是否相等前需要去掉已访问坐标。如果不引入visited二维矩阵,也可以使用特殊字符替换的方法,这样的话空间复杂度就大大降低了,细节见下面参考链接。

复杂度分析

DFS 最坏情况下遍历所有坐标点,二重 for 循环最坏情况下也全部执行完,故时间复杂度最差情况下为 O(m^2n^2), 使用了visited矩阵,空间复杂度为 O(mn), 当然这个可以优化到 O(1).(原地更改原 board 数组字符内容)。

Reference