我有一个像这样的字符串列表:
['Aden', 'abel']
我想对项目进行排序,不区分大小写。 所以我想得到:
['abel', 'Aden']
但我与sorted()
或list.sort()
相反,因为大写字母显示为小写。
我怎么能忽略这个案子?我已经看到了涉及降低所有列表项的小写的解决方案,但我不想更改列表项的大小写。
答案 0 :(得分:146)
以下适用于Python 2:
sorted_list = sorted(unsorted_list, key=lambda s: s.lower())
它适用于普通字符串和unicode字符串,因为它们都有lower
方法。
在Python 2中,它适用于普通字符串和unicode字符串的混合,因为这两种类型的值可以相互比较。但是Python 3不能像这样工作:你无法比较字节字符串和unicode字符串,所以在Python 3中你应该做一些理智的事情,只对一种字符串的列表进行排序。
>>> lst = ['Aden', u'abe1']
>>> sorted(lst)
['Aden', u'abe1']
>>> sorted(lst, key=lambda s: s.lower())
[u'abe1', 'Aden']
自python 3.3以来,还有str.casefold
方法专为无壳匹配而设计,可用于代替str.lower
:
sorted_list = sorted(unsorted_list, key=lambda s: s.casefold())
答案 1 :(得分:41)
>>> x = ['Aden', 'abel']
>>> sorted(x, key=str.lower) # Or unicode.lower if all items are unicode
['abel', 'Aden']
在Python 3中str
是unicode,但在Python 2中,您可以使用这种适用于str
和unicode
的更通用的方法:
>>> sorted(x, key=lambda s: s.lower())
['abel', 'Aden']
答案 2 :(得分:9)
你也可以试试这个:
>>> x = ['Aden', 'abel']
>>> x.sort(key=lambda y: y.lower())
>>> x
['abel', 'Aden']
答案 3 :(得分:3)
在python3中,您可以使用
list1.sort(key=lambda x: x.lower()) #Case In-sensitive
list1.sort() #Case Sensitive
答案 4 :(得分:3)
这在Python 3中有效,并且不涉及小写结果(!)。
values.sort(key=str.lower)
答案 5 :(得分:1)
我这样做是为了Python 3.3:
def sortCaseIns(lst):
lst2 = [[x for x in range(0, 2)] for y in range(0, len(lst))]
for i in range(0, len(lst)):
lst2[i][0] = lst[i].lower()
lst2[i][1] = lst[i]
lst2.sort()
for i in range(0, len(lst)):
lst[i] = lst2[i][1]
然后你可以调用这个函数:
sortCaseIns(yourListToSort)
答案 6 :(得分:0)
不区分大小写的排序,在Python 2或3中对字符串进行排序(在Python 2.7.17和Python 3.6.9中测试):
>>> x = ["aa", "A", "bb", "B", "cc", "C"]
>>> x.sort()
>>> x
['A', 'B', 'C', 'aa', 'bb', 'cc']
>>> x.sort(key=str.lower) # <===== there it is!
>>> x
['A', 'aa', 'B', 'bb', 'C', 'cc']
密钥是key=str.lower
。这些命令只是这些命令的外观,以便于复制粘贴,因此您可以对其进行测试:
x = ["aa", "A", "bb", "B", "cc", "C"]
x.sort()
x
x.sort(key=str.lower)
x
请注意,但是,如果您的字符串是unicode字符串(例如u'some string'
),那么仅在Python 2中(在这种情况下,Python 3中不是),上述x.sort(key=str.lower)
命令将失败并输出以下内容错误:
TypeError: descriptor 'lower' requires a 'str' object but received a 'unicode'
如果遇到此错误,请升级到Python 3来处理Unicode排序,或者先使用列表推导将Unicode字符串转换为ASCII字符串,如下所示:
# for Python2, ensure all elements are ASCII (NOT unicode) strings first
x = [str(element) for element in x]
# for Python2, this sort will only work on ASCII (NOT unicode) strings
x.sort(key=str.lower)
答案 7 :(得分:-2)
试试这个
def cSort(inlist, minisort=True):
sortlist = []
newlist = []
sortdict = {}
for entry in inlist:
try:
lentry = entry.lower()
except AttributeError:
sortlist.append(lentry)
else:
try:
sortdict[lentry].append(entry)
except KeyError:
sortdict[lentry] = [entry]
sortlist.append(lentry)
sortlist.sort()
for entry in sortlist:
try:
thislist = sortdict[entry]
if minisort: thislist.sort()
newlist = newlist + thislist
except KeyError:
newlist.append(entry)
return newlist
lst = ['Aden', 'abel']
print cSort(lst)
输出
['abel', 'Aden']