OJ练习第158题——单词拆分 II

单词拆分 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”]
输出:[]

Java代码

class Solution {
    private List<String> tem = new ArrayList<>();
    private List<String> res = new ArrayList<>();
    public List<String> wordBreak(String s, List<String> wordDict) {
        dfs(0, wordDict, s);
        return res;
    }
    public void dfs(int start, List<String> wordDict, String s) {
        if(start >= s.length()) {
            StringBuilder sb = new StringBuilder();
            for(String ar : tem) sb.append(ar + " ");
            res.add(sb.toString().trim());
            return;
        }
        for(int i = start; i < s.length(); i++) {
            if(wordDict.contains(s.substring(start, i + 1))) {
                tem.add(s.substring(start, i + 1));
                dfs(i + 1, wordDict, s);
                if(!tem.isEmpty()) {
                    tem.remove(tem.size() - 1);
                }
            }
            
        }
    }
}

你可能感兴趣的:(OJ练习,leetcode,java)