问题 按字典顺序排序结果?


我试图以人类可读的方式显示一些结果。出于这个问题的目的,其中一些是数字,一些是字母,一些是两者的组合。

我试图找出如何让它们像这样排序:

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

我无法想出如何做到这一点。


10146
2017-10-27 23:16


起源

可能重复 Python是否具有用于字符串自然排序的内置函数? - Steve Jessop


答案:


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


12
2017-10-27 23:24



尼斯。为什么要解决已经解决的问题? - jpmc26
太棒了 - 这正是我所需要的! - user2923558
链接 github.com/SethMMorton/natsort - Colonel Panic
我很高兴看到这一点 natsort 对除了我以外的人有用。谢谢你的推荐! - SethMMorton
谢谢你的写作 natsort 模块,@ SethMMorton。这真的很方便。 - Mingyu


我在以下链接中找到了关于自然排序顺序的代码在过去非常有用:

http://www.codinghorror.com/blog/2007/12/sorting-for-humans-natural-sort-order.html


3
2017-10-27 23:22



这对于理解它是如何工作非常有用,我在标记这个和明宇之间徘徊,我最终选择了Mingyu,因为它实际上有一个可用的解决方案,但这是一个很好的阅读。 - user2923558


这样做。为了进行比较,它会转换字符串 能够 被转换为整数到该整数,并留下其他字符串:

def key(s):
    try:
        return int(s)
    except ValueError:
        return s

sorted_input = sorted(input, key=key)

1
2017-10-27 23:23



我想你错过了这部分“有些是两者的结合。”也不适用于Python3,因为“无法解决的类型” - John La Rooy
不,我看到它却忽略了它,因为在那种情况下他们没有说出他们想要的东西;-) - Tim Peters
“面对模棱两可,拒绝猜测的诱惑。”我应该知道更好:) - John La Rooy


您可以拆分列表,排序,然后将其重新组合在一起。尝试这样的事情:

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 如果你可以有非整数。

如果这不包括你的“有些是两者的组合”,请详细说明这意味着什么,以及你对它们的期望。

(未经测试,但应传达这一想法。)


0
2017-10-27 23:25





对于您的具体情况:

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)

0
2017-10-27 23:25