美文网首页
如何根据字典中值的大小,对字典中的项排序

如何根据字典中值的大小,对字典中的项排序

作者: zy_now | 来源:发表于2016-12-06 10:57 被阅读0次

案例: 对以字典形式存储的成绩按成绩高低进行排序,计算学生排名。
{'a':90,'b':91,'c':89}

解决方案:使用内置函数 sorted() - 使用C语言速度
1.使用zip()函数 将字典转换成元祖
2.使用sorted() 的 参数办法进行排序


Out[1]:  from random import randint

Out[2]: {x : randint(60,100) for x in 'xyzabc'}
Out[2]: {'a': 75, 'b': 71, 'c': 67, 'x': 60, 'y': 64, 'z': 72}

sorted(d)  #直接对键排序,无法达到预期效果
In [5]: sorted(d)
Out[5]: ['a', 'b', 'c', 'x', 'y', 'z']

#进行键值转换 - 转换成元组

In [6]: d.keys()
Out[6]: dict_keys(['a', 'z', 'y', 'c', 'x', 'b'])

In [7]: d.values()
Out[7]: dict_values([89, 77, 86, 60, 67, 86])

#使用zip() 将字典数据转化为元祖
In [8]: zip(d.values(),d.keys())
Out[8]: <zip at 0x2719e17fc08>

In [17]: c=zip(d.values(),d.keys())

In [19]: sorted(c)
Out[19]: [(60, 'c'), (67, 'x'), (77, 'z'), (86, 'b'), (86, 'y'), (89, 'a')]

#传递sorted 函数的key参数
In [20]: d.items() 
Out[20]: dict_items([('a', 89), ('z', 77), ('y', 86), ('c', 60), ('x', 67), ('b', 86)])

In [21]: sorted(d.items(),key = lambda x:x[1])
Out[21]: [('c', 60), ('x', 67), ('z', 77), ('y', 86), ('b', 86), ('a', 89)]
d.keys()

相关文章

网友评论

      本文标题:如何根据字典中值的大小,对字典中的项排序

      本文链接:https://www.haomeiwen.com/subject/uxtrmttx.html