1. 程式人生 > >leetcode-79-單詞搜尋(word search)-java

leetcode-79-單詞搜尋(word search)-java

題目及測試

package pid079;

import java.util.List;

/*單詞搜尋

給定一個二維網格和一個單詞,找出該單詞是否存在於網格中。

單詞必須按照字母順序,通過相鄰的單元格內的字母構成,其中“相鄰”單元格是那些水平相鄰或垂直相鄰的單元格。同一個單元格內的字母不允許被重複使用。

示例:

board =
[
  ['A','B','C','E'],
  ['S','F','C','S'],
  ['A','D','E','E']
]

給定 word = "ABCCED", 返回 true.
給定 word = "SEE", 返回 true.
給定 word = "ABCB", 返回 false.



*/
public class main {
	
	public static void main(String[] args) {
		char[][] testTable = {{'a','b','c','e'},{'s','f','c','s'},{'a','d','e','e'}};
		String testTable2="abcd";
		test(testTable,testTable2);
	}
		 
	private static void test(char[][] ito, String ito2) {
		Solution solution = new Solution();
		long begin = System.currentTimeMillis();
		System.out.println("ito= ");
		for (int i = 0; i < ito.length; i++) {
			for (int j = 0; j < ito[0].length; j++) {
				System.out.print(ito[i][j]+" ");
			}
			System.out.println();
		}//開始時列印陣列
		System.out.println("ito2="+ito2);
		
		boolean rtn=solution.exist(ito,ito2);//執行程式
		long end = System.currentTimeMillis();		
		System.out.println("rtn="+rtn);
		System.out.println();
		System.out.println("耗時:" + (end - begin) + "ms");
		System.out.println("-------------------");
	}

}

解法1(成功,15ms,很快)

使用回溯演算法,對board中每個與word首字母相同的字元ij,開啟begin函式
begin中
如果result已經為true,不再繼續
如果char[i][j]與word首字母不同,不再繼續
如果相同,
如果word長度為1,說明已經到最後一步,result=true
否則,char[i][j]='*',因為讓接下來的操作不到這一位
然後newWord=word截去首位的字串
然後根據i,j的位置,對上下左右進行begin
最後char[i][j]=now,恢復

package pid079;

import java.util.ArrayList;
import java.util.Arrays;
import java.util.HashMap;
import java.util.List;
import java.util.Map;

import javax.swing.text.AttributeSet.CharacterAttribute;

public class Solution {
	
	public boolean result=false;
	
	public boolean exist(char[][] board, String word) {
        if(word.length()==0){
        	return true;
        }
        if(board.length==0||board[0].length==0){
        	return false;
        }
        for(int i=0;i<board.length;i++){
        	for(int j=0;j<board[i].length;j++){
        		char now=board[i][j];
        		char first=word.charAt(0);
        		if(now!=first){
        			continue;
        		}
        		else{
        			begin(board,word,i,j);
        		}
        	}
        }	
		return result;
    }
	public void begin(char[][] board,String word,int i,int j){
		if(result==true){
			return;
		}
		char now=board[i][j];
		char first=word.charAt(0);
		if(now!=first){			
			return;
		}
		if(word.length()==1){
			result=true;
			return;
		}
		String newWord=word.substring(1);
		board[i][j]='*';
		if(i>0){
			begin(board,newWord,i-1,j);
		}
		if(i<board.length-1){
			begin(board,newWord,i+1,j);
		}
		if(j>0){
			begin(board,newWord,i,j-1);
		}
		if(j<board[0].length-1){
			begin(board,newWord,i,j+1);
		}		
		board[i][j]=now;
		
	}
}

別人的解法有的把char[i][j]='*',換成一個boolean二維陣列,記錄跑過的地方