題目:
Given a string s and a dictionary of words dict, determine if s can be segmented into a space-separated sequence of one or more dictionary words.
For example, given
s = "leetcode"
,
dict = ["leet", "code"]
.
Return true because "leetcode"
can be segmented as "leet code"
.
題解:
這道題的題解轉載自Code ganker,他寫的很好。地址:http://blog.csdn.net/linhuanmars/article/details/22358863
“原題連結: http://oj.leetcode.com/problems/word-break/
這道題仍然是動態規劃的題目,我們總結一下動態規劃題目的基本思路。首先我們要決定要儲存什麼歷史資訊以及用什麼資料結構來儲存資訊。然後是最重要的遞推式,就是如從儲存的歷史資訊中得到當前步的結果。最後我們需要考慮的就是起始條件的值。
接 下來我們套用上面的思路來解這道題。首先我們要儲存的歷史資訊res[i]是表示到字串s的第i個元素為止能不能用字典中的詞來表示,我們需要一個長度 為n的布林陣列來儲存資訊。然後假設我們現在擁有res[0,...,i-1]的結果,我們來獲得res[i]的表示式。思路是對於每個以i為結尾的子 串,看看他是不是在字典裡面以及他之前的元素對應的res[j]是不是true,如果都成立,那麼res[i]為true,寫成式子是
假 設總共有n個字串,並且字典是用HashSet來維護,那麼總共需要n次迭代,每次迭代需要一個取子串的O(i)操作,然後檢測i個子串,而檢測是 constant操作。所以總的時間複雜度是O(n^2)(i的累加仍然是n^2量級),而空間複雜度則是字串的數量,即O(n)。程式碼如下:
”
2 if(s==null || s.length()==0)
3 return true;
4 boolean[] res = new boolean[s.length()+1];
5 res[0] = true;
6 for(int i=0;i<s.length();i++)
7 {
8 StringBuilder str = new StringBuilder(s.substring(0,i+1));
9 for(int j=0;j<=i;j++)
10 {
11 if(res[j] && dict.contains(str.toString()))
12 {
13 res[i+1] = true;
14 break;
15 }
16 str.deleteCharAt(0);
17 }
18 }
19 return res[s.length()];
20 }