共计 411 个字符,预计需要花费 2 分钟才能阅读完成。
Python 代码浏览合集介绍:为什么不举荐 Python 初学者间接看我的项目源码
本篇浏览的代码实现了从一个列表生成以其元素为 key
,以该元素呈现频率为value
的字典。
本篇浏览的代码片段来自于 30-seconds-of-python。
frequencies
from functools import reduce
def frequencies(lst):
f = {}
for x in lst:
f[x] = f[x] + 1 if x in f else 1
return f
# EXAMPLES
frequencies(['a', 'b', 'a', 'c', 'a', 'a', 'b']) # {'a': 4, 'b': 2, 'c': 1}
frequencies
函数接管一个列表,返回以该列表元素为 key
,以该元素呈现频率为value
的字典。函数应用 for
循环遍历输出列表,遇到字典中存在的值的时候,将该值对应的 value
加1
;遇到不存在的值时,将该值作为新的 key
并将 value
设置为1
。
正文完