Backtracking_79. 单词搜索
Posted zzxisgod
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Backtracking_79. 单词搜索相关的知识,希望对你有一定的参考价值。
给定一个二维网格和一个单词,找出该单词是否存在于网格中。
单词必须按照字母顺序,通过相邻的单元格内的字母构成,其中“相邻”单元格是那些水平相邻或垂直相邻的单元格。同一个单元格内的字母不允许被重复使用。
示例:
board = [ [‘A‘,‘B‘,‘C‘,‘E‘], [‘S‘,‘F‘,‘C‘,‘S‘], [‘A‘,‘D‘,‘E‘,‘E‘] ] 给定 word = "ABCCED", 返回 true 给定 word = "SEE", 返回 true 给定 word = "ABCB", 返回 false
提示:
- board 和 word 中只包含大写和小写英文字母。
- 1 <= board.length <= 200
- 1 <= board[i].length <= 200
- 1 <= word.length <= 10^3
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/word-search
回溯问题,其实这题应该还是DFS的问题,定一个方向标找他四连通位置上的值有没有和给定的字符串一样的
如果有,就再往下,如果发现此路不通就回溯
class Solution { //定义一个方向标 static final int[][] DIRS = new int[][]{{-1,0}, {1,0}, {0,-1},{0,1}}; static int row , col; public static boolean exist(char[][] board, String word){ //特殊情况判断 if (board == null || board.length == 0 || board[0].length == 0){ return false; } if (word.length() == 0){ return true; } row = board.length; col = board[0].length; boolean [][] isVisited = new boolean[row][col]; for (int i = 0; i < row; i++) { for (int j = 0; j < col; j++) { if (dfs(0,i,j,board,isVisited,word)){ return true; } } } return false; } public static boolean dfs(int curLen, int i ,int j, char [][] board, boolean [][] isVisited,String word){ if (curLen == word.length()) { return true; } //排除所有的不符合的条件 if (i < 0 || i >= row || j < 0 || j >= col || board[i][j] != word.charAt(curLen) || isVisited[i][j]) { return false; } //进来了就说明这个点已经访问过了 isVisited[i][j] = true; for (int[] d : DIRS) { if (dfs(curLen + 1, i + d[0], j + d[1], board, isVisited, word)) { return true; } } isVisited[i][j] = false; return false; } }
以上是关于Backtracking_79. 单词搜索的主要内容,如果未能解决你的问题,请参考以下文章
LeetCode39/40/22/77/17/401/78/51/46/47/79 11道 Backtracking
[JavaScript 刷题] 搜索 - 单词搜索, leetcode 79