给出一个字符串数组words组成的一本英语词典。
从中找出最长的一个单词,该单词是由words词典中其他单词逐步添加一个字母组成。
若其中有多个可行的答案,则返回答案中字典序最小的单词。
若无答案,则返回空字符串。
示例1:
输入:
words = ["w","wo","wor","worl", "world"]
输出:"world"
解释:
单词"world"可由"w", "wo", "wor", 和 "worl"添加一个字母组成。
示例2:
输入:
words = ["a", "banana", "app", "appl", "ap", "apply", "apple"]
输出:"apple"
解释:
"apply"和"apple"都能由词典中的单词组成。但是"apple"的字典序小于"apply"。
提示:
先排序,定义的一个字典dic用来存放words各字段
代码:
public class Solution {
public string LongestWord(string[] words) {
Dictionary<string, int> dic = new Dictionary<string, int>();
Array.Sort(words);
for (int i = 0; i < words.Length; i++)
{
if (words[i].Length==1)
{
if(!dic.ContainsKey(words[i])){
dic.Add(words[i], 1);
}
}
else
{
if (dic.ContainsKey(words[i].Substring(0,words[i].Length-1))&&!dic.ContainsKey(words[i]))
{
//dic.Remove(words[i].Substring(0, words[i].Length - 1));
dic.Add(words[i], words[i].Length);
}
}
}
string res = "";
int len = 0;
foreach (var item in dic)
{
if (item.Value>len)
{
len = item.Value;
res = item.Key;
}
}
return res;
}
}
执行结果
通过
执行用时:124 ms,在所有 C# 提交中击败了100.00%的用户
内存消耗:45.9 MB,在所有 C# 提交中击败了43.90%的用户
思路解析 对于每个单词,我们可以检查它的全部前缀是否存在,可以通过 Set 数据结构来加快查找
代码:
class Solution {
public String longestWord(String[] words) {
Set<String> wordset = new HashSet();
for (String word: words) wordset.add(word);
Arrays.sort(words, (a, b) -> a.length() == b.length()
? a.compareTo(b) : b.length() - a.length());
for (String word: words) {
boolean good = true;
for (int k = 1; k < word.length(); ++k) {
if (!wordset.contains(word.substring(0, k))) {
good = false;
break;
}
}
if (good) return word;
}
return "";
}
}
执行结果
通过
执行用时:13 ms,在所有 Java 提交中击败了66.41%的用户
内存消耗:38.3 MB,在所有 Java 提交中击败了94.50%的用户
复杂度分析
时间复杂度:O( n )
空间复杂度:O(1)
C#
和 Java
两种编程语言进行解题