也許你正在尋找human sorting(又稱natural sorting):
import re
def atoi(text):
return int(text) if text.isdigit() else text
def natural_keys(text):
'''
alist.sort(key=natural_keys) sorts in human order
http://nedbatchelder.com/blog/200712/human_sorting.html
(See Toothy's implementation in the comments)
'''
return [ atoi(c) for c in re.split('(\d+)', text) ]
alist=[
"something1",
"something12",
"something17",
"something2",
"something25",
"something29"]
alist.sort(key=natural_keys)
print(alist)
產生
['something1', 'something2', 'something12', 'something17', 'something25', 'something29']
PS。我已經改變了我的答案,使用Toothy的自然排序實現(張貼在評論here),因爲它比我的原始答案快得多。
如果要排序用浮漂的文本,那麼你就需要將正則表達式從一個匹配整數變化(即(\d+)
)到a regex that matches floats:
import re
def atof(text):
try:
retval = float(text)
except ValueError:
retval = text
return retval
def natural_keys(text):
'''
alist.sort(key=natural_keys) sorts in human order
http://nedbatchelder.com/blog/200712/human_sorting.html
(See Toothy's implementation in the comments)
float regex comes from https://stackoverflow.com/a/12643073/190597
'''
return [ atof(c) for c in re.split(r'[+-]?([0-9]+(?:[.][0-9]*)?|[.][0-9]+)', text) ]
alist=[
"something1",
"something2",
"something1.0",
"something1.25",
"something1.105"]
alist.sort(key=natural_keys)
print(alist)
產生
['something1', 'something1.0', 'something1.105', 'something1.25', 'something2']
sort()有什麼問題? – tMC 2011-05-11 16:24:20
這有一個名稱,自然分類。請參閱http://stackoverflow.com/questions/2545532/python-analog-of-natsort-function-sort-a-list-using-a-natural-order-algorithm和http://stackoverflow.com/questions/4836710/does-python-have-a-built-in-function-for-string-natural-sort和其他人。 – 2011-05-11 16:24:43
我不知道它有一個名字,我的壞名字。謝謝。 – Michal 2011-05-11 16:37:32