主页有其他数据结构内容(持续更新中)
难度:Medium
代码:
class Solution {
public:
bool wordBreak(string s, vector<string>& wordDict) {
unordered_set<string> wordSet(wordDict.begin(), wordDict.end());
// 初始化:dp[0]是所有递归的根基,必须为true
vector<bool> dp(s.size() + 1, false);
dp[0] = true;
// 单词就是物品,字符串s就是背包,单词能否组成字符串s,就是问物品能不能把背包装满
// 虽然此题先遍历背包和先遍历物品都可以,但先遍历背包更为方便
for(int i = 1; i <= s.size(); i++) {
for(int j = 0; j < i; j++) {
string word = s.substr(j, i - j); // substr(起始位置,截取的个数)
// 如果确定dp[j]是true,且[j, i]这个区间的子串出现在字典里,那么dp[i]一定是true(j < i)
if(wordSet.find(word) != wordSet.end() && dp[j]) {
dp[i] = true;
}
}
}
return dp[s.size()];
}
};