我试图以人类可读的方式显示一些结果。出于这个问题的目的,其中一些是数字,一些是字母,一些是两者的组合。
我试图找出如何让它们像这样排序:
input = ['1', '10', '2', '0', '3', 'Hello', '100', 'Allowance']
sorted_input = sorted(input)
print(sorted_input)
期望的结果:
['0', '1', '2', '3', '10', '100', 'Allowance', 'Hello']
实际结果:
['0', '1', '10', '100', '2', '3', 'Allowance', 'Hello']
我无法想出如何做到这一点。
1 - 安装natsort模块
pip install natsort
2 - 导入natsorted
>>> input = ['1', '10', '2', '0', '3', 'Hello', '100', 'Allowance']
>>> from natsort import natsorted
>>> natsorted(input)
['0', '1', '2', '3', '10', '100', 'Allowance', 'Hello']
资源: https://pypi.python.org/pypi/natsort
这样做。为了进行比较,它会转换字符串 能够 被转换为整数到该整数,并留下其他字符串:
def key(s):
try:
return int(s)
except ValueError:
return s
sorted_input = sorted(input, key=key)
您可以拆分列表,排序,然后将其重新组合在一起。尝试这样的事情:
numbers = sorted(int(i) for i in input_ if i.isdigit())
nonnums = sorted(i for i in input_ if not i.isdigit())
sorted_input = [str(i) for i in numbers] + nonnums
你必须做一些比这更复杂的事情 isdigit
如果你可以有非整数。
如果这不包括你的“有些是两者的组合”,请详细说明这意味着什么,以及你对它们的期望。
(未经测试,但应传达这一想法。)
对于您的具体情况:
def mySort(l):
numbers = []
words = []
for e in l:
try:
numbers.append(int(e))
except:
words.append(e)
return [str(i) for i in sorted(numbers)] + sorted(words)
print mySort(input)