按键排序字典



我有一个以年-月组合为键和值的字典。我使用OrderedDict对字典进行排序,得到如下结果。在我的预期结果中,在"2021-1"之后,应该是"2021-2"。但"2021 - 10 -";

{
"2020-11": 25,
"2020-12": 861,
"2021-1": 935,
"2021-10": 1,
"2021-2": 4878,
"2021-3": 6058,
"2021-4": 3380,
"2021-5": 4017,
"2021-6": 1163,
"2021-7": 620,
"2021-8": 300,
"2021-9": 7
}

我的预期结果应该如下所示。我希望字典按照从最小日期到最后日期排序

{
"2020-11": 25,
"2020-12": 861,
"2021-1": 935,
"2021-2": 4878,
"2021-3": 6058,
"2021-4": 3380,
"2021-5": 4017,
"2021-6": 1163,
"2021-7": 620,
"2021-8": 300,
"2021-9": 7,
"2021-10": 1
}

如果你能帮忙,我很感激。

如果您想自定义排序的方式,使用sorted和参数key:

from typing import OrderedDict
from decimal import Decimal

data = {
"2020-11": 25,
"2020-12": 861,
"2021-1": 935,
"2021-10": 1,
"2021-2": 4878,
"2021-3": 6058,
"2021-4": 3380,
"2021-5": 4017,
"2021-6": 1163,
"2021-7": 620,
"2021-8": 300,
"2021-9": 7
}
def year_plus_month(item):
key = item[0].replace("-", ".")
return Decimal(key)
data_ordered = OrderedDict(sorted(data.items(), key=year_plus_month))
print(data_ordered)

我使用Decimal而不是float来避免任何不稳定的浮点精度。

最新更新