3

以下のようなオブジェクトのリストがあります。

[{'id': 17L,
  'price': 0,
  'parent_count': 2},
 {'id': 39L,
  'price': 0,
  'parent_count': 1},
 {'id': 26L,
  'price': 2.0,
  'parent_count': 4},
 {'id': 25L,
  'price': 2.0,
  'parent_count': 3}]

次のようにオブジェクトを並べ替えます'parent_count'

 [{'id': 39L,
   'price': 0,
   'parent_count': 1},
  {'id': 17L,
   'price': 0,
   'parent_count': 2},
  {'id': 25L,
   'price': 2.0,
   'parent_count': 3},
  {'id': 26L,
   'price': 2.0,
   'parent_count': 4}]

関数知ってる人いますか?

4

5 に答える 5

12

パラメータoperator.itemgetter("parent_count")として使用:keylist.sort()

from operator import itemgetter
my_list.sort(key=itemgetter("parent_count"))
于 2012-07-27T10:18:57.297 に答える
2

また、次の方法も使用できます。

a = [{'id': 17L, 'price': 0, 'parent_count': 2}, {'id': 18L, 'price': 3, 'parent_count': 1}, {'id': 39L, 'price': 1, 'parent_count': 4}]
sorted(a, key=lambda o: o['parent_count'])

結果:

[{'parent_count': 1, 'price': 3, 'id': 18L}, {'parent_count': 2, 'price': 0, 'id': 17L}, {'parent_count': 4, 'price': 1, 'id': 39L}]
于 2012-07-27T10:28:22.477 に答える
1

あなたは実際に「parent_say」「parent_count」を持っていますか?

def get_parent(item):
    return item.get('parent_count', item['parent_say'])
    # return item.get('parent_count', item.get('parent_say')) if missing keys should just go to the front and not cause an exception

my_list.sort(key=get_parent)

またはもう少し一般的な

def keygetter(obj, *keys, **kwargs):
    sentinel = object()
    default = kwargs.get('default', sentinel)
    for key in keys:
        value = obj.get(key, sentinel)
        if value is not sentinel:
            return value
    if default is not sentinel:
        return default
    raise KeyError('No matching key found and no default specified')
于 2012-07-27T10:23:49.620 に答える
0
my_list.sort(key=lambda x:x["parent_count"])
于 2012-07-27T10:21:27.607 に答える
0

次のこともできます。

my_list.sort(key=lambda x: x.get('parent_count'))

これは必要operator.itemgetterなく、キーが存在しない場合でもエラーを引き起こしません (キーを持たないものは最初に置かれます)。

于 2012-07-27T10:22:12.830 に答える