給出一個字符串s和一個詞典,判斷字符串s是否可以被空格切分成一個或多個出現(xiàn)在字典中的單詞。
樣例
給出s = "lintcode"蛾号,dict = ["lint","code"]忽刽,返回 true 因為"lintcode"可以被空格切分成"lint code"
思路
動態(tài)規(guī)劃的本質:根據(jù)已知結論推理未知結論
s = lintcode 可以分為 l和intcode,若是l是可分割單詞摸屠,并且intcode單詞在dict中,則表示s也是可分割單詞粱哼。
若不符合季二,s = lintcode 可以分為 li和ntcode,若是li是可分割單詞揭措,并且ntcode單詞在dict中戒傻,則表示s也是可分割單詞税手。
...
同理得出BWord[ n ]表示字符串S[0,n]是否是可分割單詞,是則為true,否為false需纳。
BWord[ n ] = BWord[ i ] &&( S[ i+1 ,n ]在dict中 )
參考
代碼
- 會超時的DP
public class Solution {
/*
* @param s: A string
* @param dict: A dictionary of words dict
* @return: A boolean
*/
public boolean wordBreak(String s, Set<String> dict) {
boolean[] canSegment = new boolean[s.length() + 1];
canSegment[0] = true;
for (int i = 1; i <= s.length(); i++) {
for (int j = 0; j < i; j++) {
if (canSegment[j] && dict.contains(s.substring(j, i))) {
canSegment[i] = true;
break;
}
}
}
return canSegment[s.length()];
}
}
- 優(yōu)化過的DP
第二種DP優(yōu)化思路是算出字典中長度最長的字符串芦倒, i - j 的長度不可能超過最大長度,雖然仍是采用兩層 for 循環(huán)做不翩,但方法2的第二層循環(huán)規(guī)模不超過字典最長單詞長度兵扬,相比于字符串長度的規(guī)模,顯然要小很多
public class Solution {
private int getMaxLength(Set<String> dict) {
int maxLength = 0;
// 得到字典中單詞的最大長度
for (String word : dict) {
maxLength = Math.max(maxLength, word.length());
}
return maxLength;
}
public boolean wordBreak(String s, Set<String> dict) {
if (s == null || s.length() == 0) {
return true;
}
int maxLength = getMaxLength(dict);
boolean[] canSegment = new boolean[s.length() + 1];
// 初值口蝠,使canSegment[1]對應第一個字母器钟,方便閱讀
canSegment[0] = true;
for (int i = 1; i <= s.length(); i++) {
canSegment[i] = false;
for (int lastWordLength = 1;
lastWordLength <= maxLength && lastWordLength <= i;
lastWordLength++) {
// 找到去掉某個長為lastWordLength的單詞后,從0到i - lastWordLength位置的字符串是滿足切分條件的
if (!canSegment[i - lastWordLength]) {
continue;
}
// 判斷去掉的單詞是不是在字典中
/* substring(int beginIndex, int endIndex)
* 從beginIndex開始取妙蔗,到endIndex結束
* 從0開始數(shù)傲霸,其中不包括endIndex位置的字符
*/
String word = s.substring(i - lastWordLength, i);
if (dict.contains(word)) {
canSegment[i] = true;
break;
}
}
}
return canSegment[s.length()];
}
}