学习资源传送门:https://www.bilibili.com/video/BV1b5411s76z?p=5
(一)问题描述:2-5 如何快速找到多个字典中的公共键(key)
(二)解决方案
(三)代码
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time : 2020/11/27 20:00
# @Author : Qiufen.Chen
# @Email : 1760812842@qq.com
# @File : find_key.py
# @Software: PyCharm
"""如何快速找到多个字典中的公共键(key)"""
from random import randint, sample
# random.sample多用于截取列表的指定长度的随机数,但是不会改变列表本身的排序
s1 = {x: randint(1,4) for x in sample('abcdefg', randint(3,6))}
s2 = {x: randint(1,4) for x in sample('abcdefg', randint(3,6))}
s3 = {x: randint(1,4) for x in sample('abcdefg', randint(3,6))}
print(s1, s2, s3)
# 第一种方法
res = []
for k in s1:
if k in s2 and k in s3:
res.append(k)
print(res)
# 第二种方法, 用集合的方法,注python3中已经没有viewkeys,用下面的代码替代
d = list(map(dict.keys, [s1, s2, s3]))
print(d) # [dict_keys(['a', 'e', 'f']), dict_keys(['f', 'd', 'e', 'b', 'a', 'g']), dict_keys(['a', 'e', 'c'])]
print(d[0] & d[1] & d[2]) # {'a', 'e'}
# 第三种方法,reduce()
'''
在 Python3 中,reduce() 函数已经被从全局名字空间里移除了,它现在被放置在 functools 模块里,如果想要使用它,则需要通过引入 functools 模块来调用 reduce() 函数
reduce() 函数会对参数序列中元素进行累积。
函数将一个数据集合(链表,元组等)中的所有数据进行下列操作:
用传给 reduce 中的函数 function(有两个参数)先对集合中的第 1、2 个元素进行操作,得到的结果再与第三个数据用 function 函数运算,最后得到一个结果。
'''
from functools import reduce
print(reduce(lambda a, b: a & b, map(dict.keys, [s1, s2, s3])))
------------------------------------------------------------------------------
参考:https://www.runoob.com/python/python-func-reduce.html