• 140 Word Break II


    给出一个字符串和一个字典,求能用字典里的单词将字符串分割的所有可能。

    Input:
    s = "catsanddog"
    wordDict = ["cat", "cats", "and", "sand", "dog"]
    Output:
    [
      "cats and dog",
      "cat sand dog"
    ]

    详情:https://leetcode.com/problems/word-break-ii/

    Java实现:

    使用深度遍历的方法,每次判断字符串是否以字典中的单词为开头,如果是开头,继续判断剩余的字符串;如果最后字符串长度为0,那么就找到了能分割字符串的单词组成。这里用一个hashMap保存中间结果,否则会超时。

    class Solution {
        public List<String> wordBreak(String s, List<String> wordDict) {
            return helper(s, wordDict, new HashMap<String, LinkedList<String>>());
        }
    
        List<String> helper(String s,List<String> wordDict,HashMap<String,LinkedList<String>> map){
            if(map.containsKey(s)){
                return map.get(s);
            }
            LinkedList<String> res = new LinkedList<>();
            if(s.length() == 0){
                res.add("");
                return res;
            }
            for(String word : wordDict){
                if(s.startsWith(word)){
                    List<String> subList = helper(s.substring(word.length()),wordDict,map);
                    for(String sub : subList){
                        res.add(word + (sub.isEmpty() ? "":" ")+ sub);
                    }
                }
            }
            map.put(s,res);
            return res;
        }
    }
    

     参考:https://www.cnblogs.com/271934Liao/p/7680586.html

  • 相关阅读:
    Google笔试题
    OpenStack Ceilometer简介
    OpenStack Object Storage(Swift)架构、原理及特性
    【大话存储2读书笔记】磁盘IO的重要概念
    递归,汉诺塔游戏
    函数定义与使用
    字符串操作
    for循环:用turtle画一颗五角星
    列表、元组、字典、集合的定义、操作与综合练习
    npm 相关
  • 原文地址:https://www.cnblogs.com/xidian2014/p/8723735.html
Copyright © 2020-2023  润新知