主页 > 软件开发  > 

LeetCode刷题---哈希表---648

LeetCode刷题---哈希表---648
单词替换

648. 单词替换 - 力扣(LeetCode)

题目

在英语中,我们有一个叫做 词根(root) 的概念,可以词根 后面 添加其他一些词组成另一个较长的单词——我们称这个词为 衍生词 (derivative)。例如,词根 help,跟随着 继承词 "ful",可以形成新的单词 "helpful"。

现在,给定一个由许多 词根 组成的词典 dictionary 和一个用空格分隔单词形成的句子 sentence。你需要将句子中的所有 衍生词 用 词根 替换掉。如果 衍生词 有许多可以形成它的 词根,则用 最短 的 词根 替换它。

你需要输出替换之后的句子。

示例 1:

输入:dictionary = ["cat","bat","rat"], sentence = "the cattle was rattled by the battery" 输出:"the cat was rat by the bat"

示例 2:

输入:dictionary = ["a","b","c"], sentence = "aadsfasf absbs bbab cadsfafs" 输出:"a a b c"

提示:

1 <= dictionary.length <= 10001 <= dictionary[i].length <= 100dictionary[i] 仅由小写字母组成。1 <= sentence.length <= 106sentence 仅由小写字母和空格组成。sentence 中单词的总量在范围 [1, 1000] 内。sentence 中每个单词的长度在范围 [1, 1000] 内。sentence 中单词之间由一个空格隔开。sentence 没有前导或尾随空格。 自己的思路和代码 思路:

        我们用set来存储dictionary中的所有的词根,这样可以保证有顺序,然后遍历这个句子,将含有词根的单词返回词根,否则返回该单词就可以了。

代码: class Solution { public: string replaceWords(vector<string>& dictionary, string sentence) { set<string> table; string result = ""; for(int i=0; i<dictionary.size(); i++) { table.insert(dictionary[i]); } string temp = ""; int s = 0; bool flag = false; while(s < sentence.size()) { if(sentence[s] != ' ') { temp += sentence[s]; if(table.find(temp) == table.end()) { if(s==sentence.size()-1) result = result + temp + ' '; s++; } else { result = result + temp + ' '; temp = ""; flag = true; while((s+1) < sentence.size() && sentence[s+1] != ' ') { s++; } s++; } } else { if(flag) { flag = false; s++; } else { result = result + temp + ' '; s++; temp = ""; } } } // for(auto it=table.begin(); it!=table.end(); it++) { // printf("%s\n", (*it).c_str()); // } result.pop_back(); return result; } };

标签:

LeetCode刷题---哈希表---648由讯客互联软件开发栏目发布,感谢您对讯客互联的认可,以及对我们原创作品以及文章的青睐,非常欢迎各位朋友分享到个人网站或者朋友圈,但转载请说明文章出处“LeetCode刷题---哈希表---648