88

假设我有一个清单

list = ['this','is','just','a','test']

如何让用户进行通配符搜索?

搜索词:'th_s'

会返回“这个”

4

7 回答 7

178

使用fnmatch

import fnmatch
lst = ['this','is','just','a','test']
filtered = fnmatch.filter(lst, 'th?s')

如果您想允许_作为通配符,只需所有下划线替换为'?'(对于一个字符)或*(对于多个字符)。

如果您希望您的用户使用更强大的过滤选项,请考虑允许他们使用正则表达式

于 2012-07-11T06:57:55.047 回答
58

正则表达式可能是解决此问题的最简单方法:

import re
regex = re.compile('th.s')
l = ['this', 'is', 'just', 'a', 'test']
matches = [string for string in l if re.match(regex, string)]
于 2012-07-11T07:00:59.837 回答
8

你可以试试fnmatch模块,它有一个类似于 shell 的通配符语法

或者可以使用正则表达式

重新进口

于 2012-07-11T07:04:42.460 回答
1

您的意思是通配符的任何特定语法吗?通常*代表“一个或多个”字符,?代表一个。

最简单的方法可能是将通配符表达式转换为正则表达式,然后使用它来过滤结果。

于 2012-07-11T06:57:36.150 回答
0

为什么不直接使用 join 功能?在正则表达式 findall() 或 group() 中,您将需要一个字符串,因此:

import re
regex = re.compile('th.s')
l = ['this', 'is', 'just', 'a', 'test']
matches = re.findall(regex, ' '.join(l)) #Syntax option 1
matches = regex.findall(' '.join(l)) #Syntax option 2

join() 函数允许您将列表转换为字符串。加入前的单引号是您将放在列表中每个字符串中间的内容。当您执行此代码部分 (' '.join(l)) 时,您将收到以下信息:

'这只是一个测试'

所以你可以使用 findal() 函数。

我知道我迟到了 7 年,但我最近创建了一个帐户,因为我正在学习,其他人可能有同样的问题。我希望这对您和其他人有所帮助。


@FélixBrunet 评论后更新:

import re
regex = re.compile(r'th.s')
l = ['this', 'is', 'just', 'a', 'test','th','s', 'this is']

matches2=[] #declare a list
for i in range(len(l)): #loop with the iterations = list l lenght. This avoid the first item commented by @Felix
if regex.findall(l[i]) != []: #if the position i is not an empty list do the next line. PS: remember regex.findall() command return a list.
    if l[i]== ''.join(regex.findall(l[i])): # If the string of i position of l list = command findall() i position so it'll allow the program do the next line - this avoid the second item commented by @Félix
        matches2.append(''.join(regex.findall(l[i]))) #adds in the list just the string in the matches2 list

print(matches2)
于 2019-10-17T17:41:56.473 回答
0

与 Yuushi 使用正则表达式的想法相同,但它使用 re 库中的 findall 方法而不是列表推导:

import re
regex = re.compile('th.s')
l = ['this', 'is', 'just', 'a', 'test']
matches = re.findall(regex, string)
于 2017-07-20T13:47:35.667 回答
-8

简单的方法是尝试os.system

import os
text = 'this is text'
os.system("echo %s | grep 't*'" % text)
于 2017-09-07T05:33:11.500 回答