zoukankan      html  css  js  c++  java
  • 0139单词拆分 Marathon

    给你一个字符串 s 和一个字符串列表 wordDict 作为字典,判定 s 是否可以由空格拆分为一个或多个在字典中出现的单词。

    说明:拆分时可以重复使用字典中的单词。

    示例 1:

    输入: s = "leetcode", wordDict = ["leet", "code"]
    输出: true
    解释: 返回 true 因为 "leetcode" 可以被拆分成 "leet code"。
    示例 2:

    输入: s = "applepenapple", wordDict = ["apple", "pen"]
    输出: true
    解释: 返回 true 因为 "applepenapple" 可以被拆分成 "apple pen apple"。
      注意你可以重复使用字典中的单词。
    示例 3:

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

    提示:

    1 <= s.length <= 300
    1 <= wordDict.length <= 1000
    1 <= wordDict[i].length <= 20
    s 和 wordDict[i] 仅有小写英文字母组成
    wordDict 中的所有字符串 互不相同

    来源:力扣(LeetCode)
    链接:https://leetcode-cn.com/problems/word-break

    参考:

    python

    # 0139.单词拆分
    
    class Solution:
        def wordBreak(self, s: str, wordDict: [str]) -> bool:
            """
            动态规划-完全背包-排列
            :param s:
            :param wordDict:
            :return:
            """
            dp = [False] * (len(s)+1)
            dp[0] = True
            # 先背包后单词
            for j in range(1, len(s)+1):
                for word in wordDict:
                    if j >= len(word):
                        dp[j] = dp[j] or dp[j-len(word)] and word == s[j-len(word):j]
            return dp[len(s)]
    
    

    golang

    package dynamicPrograming
    
    // 动态规划-完全背包-排列问题
    func wordBreak(s string, wordDict []string) bool {
    	wordDictSet := make(map[string]bool)
    	for _,w := range wordDict {
    		wordDictSet[w] = true
    	}
    	dp := make([]bool, len(s)+1)
    	dp[0] = true
    	for i:=1;i<=len(s);i++ {
    		for j:=0;j<i;j++ {
    			if dp[j] && wordDictSet[s[j:i]] {
    				dp[i] = true
    				break
    			}
    		}
    	}
    	return dp[len(s)]
    }
    
    
  • 相关阅读:
    日程管理APP测试用例
    日程管理APP的测试计划和测试矩阵
    Bug report——仿网易新闻APP
    NABCD模拟实验
    5w1h

    小组作业
    code review
    Mutual review
    阅读思考
  • 原文地址:https://www.cnblogs.com/davis12/p/15631342.html
Copyright © 2011-2022 走看看