我想利用一个区分大小写的选项。我有一段代码可以搜索列表中的字符串。我想有一种更优雅的方法可以做到这一点。

searchString = "maki"
itemList = ["Maki", "moki", "maki", "Muki", "Moki"]

resultList = []
matchCase = 0

for item in itemList:
    if matchCase:
        if re.findall(searchString, item):
            resultList.append(item)
    else:
        if re.findall(searchString, item, re.IGNORECASE):
            resultList.append(item)


我可以使用re.findall(searchString, item, flags = 2),因为re.IGNORECASE基本上是一个整数(2),但是我不知道哪个数字表示“ matchcase”选项。

最佳答案

您可以在理解内实施不区分大小写的搜索:

searchString = "maki"
itemList = ["Maki", "moki", "maki", "Muki", "Moki"]

resultList =[]
matchCase = 1

if matchCase:
    resultList = [x for x in itemList if x == searchString]
else:
    resultList = [x for x in itemList if x.lower() == searchString.lower()]

print resultList


如果['maki']matchCase,它将打印1;如果将其设置为['Maki', 'maki'],则将打印0

IDEONE demo

10-05 22:39