【leetcode hot 100 79】单词搜索

解法一:(回溯法)建立一个二维数组,标识该位置的数是否已经遍历,0为未遍历,1为已遍历;每次回溯函数都在已经找到的数的四周找word中的下一个字母,回溯标志为used[i][j]=0

java 复制代码
class Solution {
    // 建立两个数组,以便遍历相邻的单元格
    int[] row = new int[]{0,1,0,-1};
    int[] col = new int[]{1,0,-1,0};

    public boolean exist(char[][] board, String word) {
        // 建立一个二维数组,标识该位置的数是否已经遍历,0为未遍历,1为已遍历
        int[][] used = new int[board.length][board[0].length];
        boolean result = false;
        for(int i=0; i<board.length; i++){
            for(int j=0; j<board[0].length; j++){
                if(board[i][j]==word.charAt(0)){
                    used[i][j]=1;
                    result = backtrack(board, word, used, i, j, 1); // 1表示开始找word的第1个数
                    used[i][j]=0; // 记得回溯
                    if(result==true){
                        return true;
                    }
                }
            }
        }
        return result;
    }

    public boolean backtrack(char[][] board, String word, int[][] used, int i, int j, int num){
        if(num >= word.length()){
            // 已经找完了
            return true;
        }
        boolean result = false;
        for(int n=0;n<4;n++){
            int x = i + row[n];
            int y = j + col[n];
            if(x>=0 && x<board.length && y>=0 && y<board[0].length && used[x][y]==0 && board[x][y]==word.charAt(num)){
                used[x][y]=1;
                result = backtrack(board, word, used, x, y, num+1); 
                if(result==true){
                    return true;
                }
                used[x][y]=0; // 回溯
            }
        }
        return result;
    }
}

注意:

  • 在非回溯函数exist()中,也要记得回溯:used[i][j]=0
  • 遍历相邻元素时,不可以j += idy,这样会导致j变化跳过几个数不比较;要int x = i + row[n]
  • 不能双for:for(int idx:row){for(int idy:col){...}},这样会导致判断一些不是相邻元素;要for(int n=0;n<4;n++)并取row[n]col[n]
相关推荐
灰灰勇闯IT41 分钟前
KMP算法在鸿蒙系统中的应用:从字符串匹配到高效系统级开发(附实战代码)
算法·华为·harmonyos
小龙报42 分钟前
【算法通关指南:数据结构和算法篇 】队列相关算法题:3.海港
数据结构·c++·算法·贪心算法·创业创新·学习方法·visual studio
csuzhucong1 小时前
一阶魔方、一阶金字塔魔方、一阶五魔方
算法
五花就是菜1 小时前
P12906 [NERC 2020] Guide 题解
算法·深度优先·图论
辞旧 lekkk1 小时前
【c++】封装红黑树实现mymap和myset
c++·学习·算法·萌新
星轨初途1 小时前
C++的输入输出(上)(算法竞赛类)
开发语言·c++·经验分享·笔记·算法
n***F8751 小时前
SpringMVC 请求参数接收
前端·javascript·算法
Liangwei Lin1 小时前
洛谷 P1025 [NOIP 2001 提高组] 数的划分
算法
yuuki2332332 小时前
【C++】类和对象(上)
c++·后端·算法
dangdang___go2 小时前
动态内存管理||malloc和free.realloc和calloc
c语言·开发语言·算法·动态内存管理