我有一个文件文本,我想用条件过滤文本中的一些单词:
1)长度相同且以相同的字母开头
2)查找包含至少2个正确放置字母的单词
例如:
单词=泡泡
文本
byres
brits
blurb
bulks
bible
debug
debut
并要输出:['bulks', 'bible']
与bulks
正确放置了'b'和'u',而bible
将2 b
正确放置与bubal
我的理想情况是先找到字母,再找到相同长度的单词,然后找到正确的第二条件
但我编写代码后发现,该单词以re
开头,效果不好
import re
with open('words.txt','r') as file:
liste = file.read()
word = re.findall('[b]\w+',liste)
print(word)
我的代码返回['byres','brits','bulks','but','bug']
如何解决并找到单词流的条件
答案 0 :(得分:1)
根据您的评论进行编辑。
这可能是您想要的:
#!/usr/bin/env python
def find_best_letter_matches(lines, target):
m = []
m_count = 0
for line in lines:
count = sum(map(lambda x: x[0] == x[1], zip(line, target)))
if count > m_count:
m = []
m_count = count
if count == m_count:
m.append(line)
return m
def find_n_letter_matches(lines, target, n):
m = []
for line in lines:
count = sum(map(lambda x: x[0] == x[1], zip(line, target)))
if count >= n:
m.append(line)
return m
if __name__ == '__main__':
with open('text.txt', 'r') as f:
lines = f.read().split('\n')
best_matches = find_best_letter_matches(lines, 'bubal')
n_matches = find_n_letter_matches(lines, 'bubal', 2)
print('Best letter matches', best_matches)
print('At least 2 letters match', n_matches)
该函数逐个字母地将每一行与目标进行比较,并计算匹配数。然后,第一个返回匹配度最高的行的列表,第二个返回与n
或更多字母匹配的所有行。
带有示例文本(添加bubal)的输出为:
Best letter matches ['bubal']
At least 2 letters match ['bulks', 'bible', 'bubal']
答案 1 :(得分:0)
尝试一下
wordToSearch = "bubal"
singlesChar = list(wordToSearch)
finalArray = []
with open('words.txt','r') as file:
liste = file.readlines()
for each in liste:
each = each.rstrip()
fn = list(each)
flag = 0
for i in range(0,len(singlesChar)):
if(fn[i] == singlesChar[i]):
flag+=1
if(flag >= 2): finalArray.append(each)
print(finalArray)