Possible Duplicate:
Does Python have a built in function for string natural sort?
Is there a function in python equivalent to php's natcasesort()?
Possible Duplicate:
Does Python have a built in function for string natural sort?
Is there a function in python equivalent to php's natcasesort()?
import re
def atoi(text):
return int(text) if text.isdigit() else text.lower()
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) ]
names = ('IMG0.png', 'img12.png', 'img10.png', 'img2.png', 'img1.png', 'IMG3.png')
Standard sorting:
print(sorted(names))
# ['IMG0.png', 'IMG3.png', 'img1.png', 'img10.png', 'img12.png', 'img2.png']
Natural order sorting (case-insensitive):
print(sorted(names, key = natural_keys))
# ['IMG0.png', 'img1.png', 'img2.png', 'IMG3.png', 'img10.png', 'img12.png']