4 回答
data:image/s3,"s3://crabby-images/b7583/b7583f1d8231658a349e3b9ee6463d4078ac48c0" alt="?"
TA贡献2011条经验 获得超2个赞
您的解决方案几乎就绪。问题是您正在与找到的所有内容相交。但是您应该为每个组合附加结果。在你的第一个 for 循环中移动s: Set[int] = set(),并在第二个 for 循环之后附加你的结果,它就会起作用。是这样的:
def parents(word: str) -> Set[int]:
ret: Set[int] = set()
for part in itertools.combinations(range(n), n - 1):
keys = map(lambda x: (word[x], x), part)
existing_keys = filter(lambda k: k in graph, keys)
s: Set[int] = set()
for y in map(lambda k: graph[k], existing_keys):
s = s.intersection(set(y)) if s else set(y)
ret.update(filter(lambda i: words[i] != word, s))
return ret
data:image/s3,"s3://crabby-images/ee628/ee6280e02c49a32e693d76a2c62fb027d36689c1" alt="?"
TA贡献1803条经验 获得超3个赞
一个非常简单的解决方案。一种不同的方法。
复杂性:O(N * 26) => O(N)- 其中 N 是每个单词中的字符数。
def main(words, word):
words = set(words)
res = []
for i, _ in enumerate(word):
for c in 'abcdefghijklmnopqrstuvwxyz':
w = word[:i] + c + word[i+1:]
if w != word and w in words:
res.append(w)
return res
print(main(["hot","dot","dog","lot","log","cog"], "cog"))
# ['dog', 'log']
除了迭代所有字母表,您还可以选择仅迭代列表中出现的字母表,使用:
{letter for w in words for letter in w}
data:image/s3,"s3://crabby-images/8b56d/8b56d893cbd2efae97c859c5f5a1e67777b54f9b" alt="?"
TA贡献1876条经验 获得超5个赞
Levenshtein 距离算法将实现您正在寻找的内容。
from Levenshtein import distance # pip install python-Levenshtein
words = ["hot", "dot", "dog", "lot", "log", "cog"]
parent = 'cog'
# find all words matching with one substitution
edits = [w for w in words if distance(parent, w) == 1]
print(edits)
输出:
['dog', 'log']
如果您不想安装任何库,可以使用该算法的 Python 实现提供很好的在线资源。
data:image/s3,"s3://crabby-images/1b8a3/1b8a32f472a6cbc5915af9c70fe903c814085813" alt="?"
TA贡献1934条经验 获得超2个赞
我会使用 Python in 函数检查父词 w 的每个字母与列表中的每个词。
例如针对parent("cog")
单词列表:
["hot","dot","dog","lot","log","cog"]
产量:
[1, 1, 2, 1, 2, 3]
数字 2 显示正确的单词:dog 和 log。
添加回答
举报