LeetCode: Word Search 解题报告
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.
Solution1:
这个题目基本上就是DFS喽。然后注意一下递归回溯的问题。我们可以建设一个boolean的数组来记录访问过的值。在return false之前,我们应该把之前置
过的标记位置回来. 时间复杂度: http://www1.mitbbs.ca/article_t1/JobHunting/32524193_32524299_2.html
time 复杂度是m*n*4^(k-1). 也就是m*n*4^k.
m X n is board size, k is word size.
recuision最深是k层,recursive部分空间复杂度应该是O(k) + O(m*n)(visit array)
package Algorithms.dfs;
public class Exist {
public boolean exist(char[][] board, String word) {
if (board == null || word == null
|| board.length == 0 || board[0].length == 0) {
return false;
}
int rows = board.length;
int cols = board[0].length;
boolean[][] visit = new boolean[rows][cols];
// i means the index.
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
// dfs all the characters in the matrix
if (dfs(board, i, j, word, 0, visit)) {
return true;
}
}
}
return false;
}
public boolean dfs(char[][] board, int i, int j, String word, int wordIndex, boolean[][] visit) {
int rows = board.length;
int cols = board[0].length;
int len = word.length();
if (wordIndex >= len) {
return true;
}
// the index is out of bound.
if (i < 0 || i >= rows || j < 0 || j >= cols) {
return false;
}
// the character is wrong.
if (word.charAt(wordIndex) != board[i][j]) {
return false;
}
// 不要访问访问过的节点
if (visit[i][j] == true) {
return false;
}
visit[i][j] = true;
// 递归
// move down
if (dfs(board, i + 1, j, word, wordIndex + 1, visit)) {
return true;
}
// move up
if (dfs(board, i - 1, j, word, wordIndex + 1, visit)) {
return true;
}
// move right
if (dfs(board, i, j + 1, word, wordIndex + 1, visit)) {
return true;
}
// move left
if (dfs(board, i, j - 1, word, wordIndex + 1, visit)) {
return true;
}
// 回溯
visit[i][j] = false;
return false;
}
}
Solution2:
与解1是一样的,但我们可以省掉O(m*n)的空间复杂度。具体的作法是:在进入DFS后,把访问过的节点置为'#',访问完毕之后再置回来即可。
/*
* Solution 2: 可以省掉一个visit的数组
* */
public boolean exist(char[][] board, String word) {
if (board == null || word == null
|| board.length == 0 || board[0].length == 0) {
return false;
} int rows = board.length;
int cols = board[0].length; // i means the index.
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
// dfs all the characters in the matrix
if (dfs(board, i, j, word, 0)) {
return true;
}
}
} return false;
} public boolean dfs(char[][] board, int i, int j, String word, int wordIndex) {
int rows = board.length;
int cols = board[0].length; int len = word.length();
if (wordIndex >= len) {
return true;
} // the index is out of bound.
if (i < 0 || i >= rows || j < 0 || j >= cols) {
return false;
} // the character is wrong.
if (word.charAt(wordIndex) != board[i][j]) {
return false;
} // mark it to be '#', so we will not revisit this.
board[i][j] = '#'; // 递归
// move down
if (dfs(board, i + 1, j, word, wordIndex + 1)) {
return true;
} // move up
if (dfs(board, i - 1, j, word, wordIndex + 1)) {
return true;
} // move right
if (dfs(board, i, j + 1, word, wordIndex + 1)) {
return true;
} // move left
if (dfs(board, i, j - 1, word, wordIndex + 1)) {
return true;
} // 回溯
board[i][j] = word.charAt(wordIndex);
return false;
}
December 16th, 2014 重写,简洁一点点,11分钟1次AC.
其实这里的回溯有一个点要注意,就是当dfs返回true时,我们并没有回溯。原因是这时整个dfs就结束了,我们也就不需要再回溯。否则一般的递归/回溯结构
这里是需要先回溯再返回的。
public class Solution {
public boolean exist(char[][] board, String word) {
if (board == null || board.length == 0 || board[0].length == 0) {
return false;
}
int rows = board.length;
int cols = board[0].length;
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
// Check if there is a word begin from i,j.
if (dfs(board, word, i, j, 0)) {
return true;
}
}
}
return false;
}
public boolean dfs(char[][] board, String word, int i, int j, int index) {
int len = word.length();
if (index >= len) {
return true;
}
// Check the input parameter.
if (i < 0 || i >= board.length || j < 0 || j >= board[0].length) {
return false;
}
// If the current character is right.
if (word.charAt(index) != board[i][j]) {
return false;
}
char tmp = board[i][j];
board[i][j] = '#';
// recursion.
if (dfs(board, word, i + 1, j, index + 1)
|| dfs(board, word, i - 1, j, index + 1)
|| dfs(board, word, i, j + 1, index + 1)
|| dfs(board, word, i, j - 1, index + 1)
) {
return true;
}
// backtrace.
board[i][j] = tmp;
return false;
}
}
虽然前面的方法可以AC,但考虑到最好不要更改入参的值,所以在return true前,我们还是加一个回溯代码。
public class Solution {
public boolean exist(char[][] board, String word) {
if (board == null || board.length == 0 || board[0].length == 0) {
return false;
}
int rows = board.length;
int cols = board[0].length;
for (int i = 0; i < rows; i++) {
for (int j = 0; j < cols; j++) {
// Check if there is a word begin from i,j.
if (dfs(board, word, i, j, 0)) {
return true;
}
}
}
return false;
}
public boolean dfs(char[][] board, String word, int i, int j, int index) {
int len = word.length();
if (index >= len) {
return true;
}
// Check the input parameter.
if (i < 0 || i >= board.length || j < 0 || j >= board[0].length) {
return false;
}
// If the current character is right.
if (word.charAt(index) != board[i][j]) {
return false;
}
char tmp = board[i][j];
board[i][j] = '#';
boolean ret = dfs(board, word, i + 1, j, index + 1)
|| dfs(board, word, i - 1, j, index + 1)
|| dfs(board, word, i, j + 1, index + 1)
|| dfs(board, word, i, j - 1, index + 1);
// backtrace.
board[i][j] = tmp;
return ret;
}
}
GitHub代码:
LeetCode: Word Search 解题报告的更多相关文章
- 【LeetCode】79. Word Search 解题报告(Python & C++)
作者: 负雪明烛 id: fuxuemingzhu 个人博客: http://fuxuemingzhu.cn/ 目录 题目描述 题目大意 解题方法 回溯法 日期 题目地址:https://leetco ...
- LeetCode: Combination Sum 解题报告
Combination Sum Combination Sum Total Accepted: 25850 Total Submissions: 96391 My Submissions Questi ...
- LeetCode & Binary Search 解题模版
LeetCode & Binary Search 解题模版 In computer science, binary search, also known as half-interval se ...
- [LeetCode] Word Search II 词语搜索之二
Given a 2D board and a list of words from the dictionary, find all words in the board. Each word mus ...
- [LeetCode] Word Search 词语搜索
Given a 2D board and a word, find if the word exists in the grid. The word can be constructed from l ...
- 【LeetCode】Permutations 解题报告
全排列问题.经常使用的排列生成算法有序数法.字典序法.换位法(Johnson(Johnson-Trotter).轮转法以及Shift cursor cursor* (Gao & Wang)法. ...
- LeetCode - Course Schedule 解题报告
以前从来没有写过解题报告,只是看到大肥羊河delta写过不少.最近想把写博客的节奏给带起来,所以就挑一个比较容易的题目练练手. 原题链接 https://leetcode.com/problems/c ...
- Leetcode: word search
July 6, 2015 Problem statement: Word Search Given a 2D board and a word, find if the word exists in ...
- LeetCode: Sort Colors 解题报告
Sort ColorsGiven an array with n objects colored red, white or blue, sort them so that objects of th ...
随机推荐
- scala中:: , +:, :+, :::, +++的区别
4种操作符的区别和联系 一. :: 该方法被称为cons,意为构造,向队列的头部追加数据,创造新的列表. 用法为 x::list,其中x为加入到 头部的元素,无论x是列表与否,它都只将成为新生成列 ...
- WeUI 是由微信官方设计团队专为微信移动 Web 应用设计的 UI 库
WeUI 是由微信官方设计团队专为微信移动 Web 应用设计的 UI 库. WeUI 是一套同微信原生视觉体验一致的基础样式库,为微信 Web 开发量身设计,可以令用户的使用感知更加统一.包含butt ...
- 如何高效的阅读hadoop源代码?
个人谈谈阅读hadoop源代码的经验. 首先,不得不说,hadoop发展到现在这个阶段,代码已经变得非常庞大臃肿,如果你直接阅读最新版本的源代码,难度比较大,需要足够的耐心和时间,所以,如果你觉得认真 ...
- virtualenv沙箱
准备用Django开发网站,豆瓣阅读中有<Django入门>,里面有人批注说用virtualenv+pip很好. 每次搞个什么都感觉举步维艰,因为之前太懒了,什么都懒得深入看一下.pip一 ...
- Web Service基础——基础概念
1. Web Service基本概念 Web Service(Web服务)是一种远程调用技术,他的作用就是从远程系统中获取业务数据.具体来说,Web Service可以让你的网站使用其他网站的资源,比 ...
- Makefile 中:= ?= += =的区别【转】
转自:http://www.cnblogs.com/wanqieddy/archive/2011/09/21/2184257.html 在Makefile中我们经常看到 = := ?= +=这几个赋值 ...
- 使用Promise
Promise所要解决的问题:回调地狱 asyncTask1(data, function (data1){ asyncTask2(data1, function (data2){ asyncTask ...
- SDUT 2623 The number of steps (概率)
The number of steps Time Limit: 1000ms Memory limit: 65536K 有疑问?点这里^_^ 题目描述 Mary stands in a stra ...
- /proc/meminfo分析(一)
本文主要分析/proc/meminfo文件的各种输出信息的具体含义. 一.MemTotal MemTotal对应当前系统中可以使用的物理内存. 这个域实际是对应内核中的totalram_pages这个 ...
- ubuntu安装chrome浏览器
PPA方法,免FQ,否则,你得FQ下载chrome,你Firefox VPN配置好了吗!!! wget -q -O - https://raw.githubusercontent.com/longhr ...