word-break

mac2024-03-20  50

题目描述

给定一个字符串s和一组单词dict,判断s是否可以用空格分割成一个单词序列,使得单词序列中所有的单词都是dict中的单词(序列可以包含一个或多个单词)。

例如: 给定s=“leetcode”; dict=["leet", "code"]. 返回true,因为"leetcode"可以被分割成"leet code".  

Given a string s and a dictionary of words dict, determine if s can be segmented into a space-separated sequence of one or more dictionary words.

For example, given

s ="leetcode", dict =["leet", "code"].

Return true because"leetcode"can be segmented as"leet code".

AC代码

class Solution { public: bool wordBreak(string s, unordered_set<string> &dict) { if (s.length() == 0 || dict.size()==0) { return false; } int len = s.size(); bool *cut = new bool[len+1]; for (int i=1;i<=len;i++) { cut[i]=false; } cut[0] = true; for (int i=1;i<=len;i++) { for (int j=0;j<i;j++) { if (cut[j] && (dict.find(s.substr(j,i-j))!=dict.end())) { cut[i]=true; break; } } } return cut[len]; } };

 

最新回复(0)