Naturally Sort A List Of Alpha-numeric Tuples By The Tuple's First Element In Python
Solution 1:
Using the second answer from the other question, generalized to support any method on item as the basis for getting the key:
import re
from operator import itemgetter
defsorted_nicely(l, key):
""" Sort the given iterable in the way that humans expect."""
convert = lambda text: int(text) if text.isdigit() else text
alphanum_key = lambda item: [ convert(c) for c in re.split('([0-9]+)', key(item)) ]
returnsorted(l, key = alphanum_key)
print sorted_nicely([('b10', 0), ('0', 1), ('b9', 2)], itemgetter(0))
This is exactly the same as that answer except generalized to use any callable as the operation on item. If you just wanted to do it on a string, you'd use lambda item: item
, if you wanted to do it on a list, tuple, dict, or set, you'd use operator.itemgetter(key_or_index_you_want)
, or if you wanted to do it on a class instance you could use operator.attrgetter('attribute_name_you_want')
.
It gives
[('0', 1), ('b9', 2), ('b10', 0)]
for your example #2.
Solution 2:
Tuples are by default sorted by their elements, starting at the first. So simply do
L = [('b', 0), ('0', 1), ('a', 2)]
L.sort()
print L
# orcreate a new, sorted list
print sorted([('b', 0), ('0', 1), ('a', 2)])
The question you liked to talks about natural sorting, which is different from normal (alphanumeric) sorting.
Lets say you want to do natural sort on the first item only:
import re
defnaturalize(item):
# turn 'b10' into ('b',10) which sorts correctly
m = re.match(r'(\w+?)(\d+)', item)
return m.groups()
# now sort by using this function on the first element of the tuple:printsorted(L, key=lambda tup: naturalize(tup[0]))
Solution 3:
As others have pointed out, sorted will use the first element of the tuple by default. If you wish to modify this default behavior you can specify a key to be used during the comparisons.
sorted([('b', 0), ('0', 1), ('a', 2)])
Will return the same as:
sorted([('b', 0), ('0', 1), ('a', 2)], key=lambda item: item[0])
To sort by the second element however try:
sorted([('b', 0), ('0', 1), ('a', 2)], key=lambda item: item[1])
Solution 4:
The natsort module does this by default without any extra work
>>> from natsort import natsorted
>>> natsorted([('b', 0), ('0', 1), ('a', 2)])
[('0', 1), ('a', 2), ('b', 0)]
>>> natsorted([('b10', 0), ('0', 1), ('b9', 2)])
[('0', 1), ('b9', 2), ('b10', 0)]
Post a Comment for "Naturally Sort A List Of Alpha-numeric Tuples By The Tuple's First Element In Python"