按字母数字的属性对对象列表进行排序

时间:2013-06-06 06:27:49

标签: python sorting

我有一个相同类型的对象列表

lis = [<obj>, <obj>, <obj>]

我希望通过对象属性name自然排序。我试过了

sortedlist = sorted(lis, key=lambda x: x.name)

然而,这将列表排序为

A1
A10
A2

不是我想要的格式

A1
A2
A10

我尝试修改sorting alphanumeric strings中的代码,但我无法让它适用于对象列表。

5 个答案:

答案 0 :(得分:6)

这种方式使用groupby,适用于alpha和数字之间的任意数量的交换

from itertools import groupby
def keyfunc(s):
    return [int(''.join(g)) if k else ''.join(g) for k, g in groupby(s, str.isdigit)]

sorted(my_list, key=keyfunc)

演示:

>>> my_list =['A1', 'A10', 'A2', 'B0', 'AA11', 'AB10']
>>> sorted(my_list, key=keyfunc)
['A1', 'A2', 'A10', 'AA11', 'AB10', 'B0']

>>> mylist =['foo1', 'foo10', 'foo2', 'foo2bar1', 'foo2bar10', 'foo2bar3']
>>> sorted(mylist, key=keyfunc)
['foo1', 'foo2', 'foo2bar1', 'foo2bar3', 'foo2bar10', 'foo10']

答案 1 :(得分:5)

sorted(obj, key=lambda x: (x.name[0], int(x.name[1:])))

答案 2 :(得分:5)

这样的事情:

import re
def func(x):
   foo = re.search(r'([A-Z]+)(\d+)',x.name)
   return foo.group(1), int(foo.group(2))
print sorted(obj, key = func)

演示:

lis =['A1', 'A10', 'A2', 'B0', 'AA11', 'AB10']
def func(x):
   foo = re.search(r'([A-Z]+)(\d+)',x)
   return foo.group(1), int(foo.group(2))
print sorted(lis, key = func)
#['A1', 'A2', 'A10', 'AA11', 'AB10', 'B0']

sorted_nicely的略微修改版本,适用于您的对象:

def sorted_nicely( x ): 
    """ Sort the given iterable in the way that humans expect.""" 
    convert = lambda text: int(text) if text.isdigit() else text 
    return [ convert(c) for c in re.split('([0-9]+)', x.name) ]

obj.sort(key = sorted_nicely)
#or sorted(obj, key = sorted_nicely)

答案 3 :(得分:0)

这回答了如何通过属性“自然地”对对象列表进行排序的OP问题:

import re

def natkey(s):
    return [w or int(n) for w, n in re.findall('(\D+)|(\d+)', s)]

class X:
    def __init__(self, name):
        self.name = name

lst = [X('AB1'), X('AB10'), X('AB2'), X('AB12')]
lst.sort(key=lambda obj: natkey(obj.name))
print [obj.name for obj in lst]
# ['AB1', 'AB2', 'AB10', 'AB12']

答案 4 :(得分:0)

我能够找到基于beauburriers solution to natural sorting

的解决方案

修改为删除自定义键选项

import re

def natural_sort(lis):
    """
    Sort the list into natural alphanumeric order.
    """
    def get_alphanum_key_func(key):
       convert = lambda text: int(text) if text.isdigit() else text 
       return lambda s: [convert(c) for c in re.split('([0-9]+)', key(s))]
    sort_key = get_alphanum_key_func(lambda x: x.name)
    lis.sort(key=sort_key)