あなたが述べた問題の解決策は示されましたが、基礎となるデータ構造を変更することをお勧めします。ポイントなどの小さな要素の場合、タプルははるかに高速です。必要に応じて使用することで、辞書の明快さを維持namedtuple
できます。
>>> from collections import namedtuple
>>> A = [
[{'x': 1, 'y': 0}, {'x': 2, 'y': 3}, {'x': 3, 'y': 4}, {'x': 4, 'y': 7}],
[{'x': 1, 'y': 0}, {'x': 2, 'y': 2}, {'x': 3, 'y': 13}, {'x': 4, 'y': 0}],
[{'x': 1, 'y': 20}, {'x': 2, 'y': 4}, {'x': 3, 'y': 0}, {'x': 4, 'y': 8}]
]
名前付きタプルのPoint
作成は簡単です
>>> Point = namedtuple('Point', 'x y')
インスタンスはこんな感じ
>>> Point(x=1, y=0) # Point(1, 0) also works
Point(x=1, y=0)
A
次に、このようになります
>>> A = [[Point(**y) for y in x] for x in A]
>>> A
[[Point(x=1, y=0), Point(x=2, y=3), Point(x=3, y=4), Point(x=4, y=7)],
[Point(x=1, y=0), Point(x=2, y=2), Point(x=3, y=13), Point(x=4, y=0)],
[Point(x=1, y=20), Point(x=2, y=4), Point(x=3, y=0), Point(x=4, y=8)]]
このように作業するのはずっと簡単です:
>>> from operator import attrgetter
>>> [max(row, key=attrgetter('y')) for row in A]
[Point(x=4, y=7), Point(x=3, y=13), Point(x=1, y=20)]
タプルの速度の利点を維持するには、インデックスでアクセスすることをお勧めします。
>>> from operator import itemgetter
>>> [max(row, key=itemgetter(2)) for row in A]
[Point(x=4, y=7), Point(x=3, y=13), Point(x=1, y=20)]