Python の Dict の順番を並べ替える
投稿日: 2022/05/12
更新日: 2022/05/12
更新日: 2022/05/12
タグ:
python
概要
Python でコードを書いていて、辞書として値も取り出したいし、最終的には for で回して出力したい場面があった。
その時に順番を並べ替えられないかと思ったので試した時のログ。
結論
val = {2:300, 1:500, 3:100}
key で並べ替え
dict(sorted(val.items(), key=lambda x:x[0]))
# {1: 500, 2: 300, 3: 100}
value で並べ替え
dict(sorted(val.items(), key=lambda x:x[1]))
# {3: 100, 2: 300, 1: 500}
実際を想定してやってみた
商品に対して、価格を設定した Dict を並べ替えたいとする。(前提がガバガバなのは気にしないでください)
商品は下記とする。
class Product:
def __init__(self, id, name):
self.id = id
self.name = name
商品に対しての価格の Dict を作成。
key はオブジェクトとする。
p1 = Product(1, "aaa")
p1.id
# 1
p1.name
# 'aaa'
p2 = Product(2, "bbb")
p3 = Product(3, "ccc")
# わざと順番を狂わしています
target_dict = {p3:300, p1:100, p2:200}
今の時点でどうなっているか確認すると
for k,v in target_dict.items():
print(k.id, k.name, v)
# 3 ccc 300
# 1 aaa 100
# 2 bbb 200
ここで target_dict.items()
が気になるので中身を見てみる。
target_dict.items()
# dict_items([(<Product object at 0x7f228a1ad9d0>, 300), (<Product object at 0x7f228a1adfd0>, 100), (<Product object at 0x7f228a1ade20>, 200)])
type(target_dict.items())
# <class 'dict_items'>
中身を理解したところでソートしてみる
sorted(target_dict.items(), key=lambda x:x[0].id)
# [(<Product object at 0x7f228a1adfd0>, 100), (<Product object at 0x7f228a1ade20>, 200), (<Product object at 0x7f228a1ad9d0>, 300)]
これを Dict にしてあげれば良いことがわかる
dict(sorted(target_dict.items(), key=lambda x:x[0].id))
# {<Product object at 0x7f228a1adfd0>: 100, <Product object at 0x7f228a1ade20>: 200, <Product object at 0x7f228a1ad9d0>: 300}
sorted_dict = dict(sorted(target_dict.items(), key=lambda x:x[0].id))
for k, v in sorted_dict.items():
print(k.id, k.name, v)
# 1 aaa 100
# 2 bbb 200
# 3 ccc 300
これで for で並べてもよし、辞書として値を確認したり処理に使ったりしてもよしの Dict ができました。
ちゃんちゃん