其他分享
首页 > 其他分享> > 140. 单词拆分 II

140. 单词拆分 II

作者:互联网

140. 单词拆分 II

给定一个字符串 s 和一个字符串字典 wordDict ,在字符串 s 中增加空格来构建一个句子,使得句子中所有的单词都在词典中。以任意顺序 返回所有这些可能的句子。

注意:词典中的同一个单词可能在分段中被重复使用多次。

示例 1:

输入:s = "catsanddog", wordDict = ["cat","cats","and","sand","dog"]
输出:["cats and dog","cat sand dog"]

示例 2:

输入:s = "pineapplepenapple", wordDict = ["apple","pen","applepen","pine","pineapple"]
输出:["pine apple pen apple","pineapple pen apple","pine applepen apple"]
解释: 注意你可以重复使用字典中的单词。

示例 3:

输入:s = "catsandog", wordDict = ["cats","dog","sand","and","cat"]
输出:[]

提示:

思路:

​ 本题需要我们求出的是所有可能的句子,因此需要遍历所有 情况,使用简单的回溯算法即可。

class Solution {
public:
    vector<string>ans;
    vector<string>res;
    vector<string> wordBreak(string s, vector<string>& wordDict) {
        //求出所有情况 使用回溯即可
        backtrack(s,0,wordDict);
        return ans;
    }
    void backtrack(string s,int i,vector<string>&wordDict){
        //base case
        if(i==s.size()){
            string temp="";
            for(int j=0;j<res.size();j++){
                temp+=(j==res.size()-1)?res[j]:(res[j]+" ");
            }
            ans.push_back(temp);
            return;
        }
        if(i>s.size())return;
        
        //遍历即可
        for(string word:wordDict){
            int len=word.size();
            if(i+len>s.size())continue;//如果匹配后长度超过s
            //无法匹配 就不选
            string subStr="";
            for(int j=i;j<i+len;j++)subStr+=s[j];
            if(subStr!=word)continue;
            //匹配成功 做出选择
            res.push_back(word);
            backtrack(s,i+len,wordDict);
            //撤销选择
            res.pop_back();
        }
    }
};

标签:apple,140,int,dog,II,拆分,wordDict,size,string
来源: https://www.cnblogs.com/BailanZ/p/16339616.html