不区分大小写的列表排序,不小写结果?

问题描述

在 Python 3.3+ 中有str.casefold专门为无大小写匹配设计的方法

sorted_list = sorted(unsorted_list, key=str.casefold)

在 Python 2 中使用lower()

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']

解决方法

我有一个这样的字符串列表:

['Aden','abel']

我想对项目进行排序,不区分大小写。所以我想得到:

['abel','Aden']

但我得到相反的sorted()or list.sort(),因为大写出现在小写之前。

我怎么能忽略这个案子?我见过涉及小写所有列表项的解决方案,但我不想更改列表项的大小写。