我有一本要点词典,说:
>>> points={'a':(3,4), 'b':(1,2), 'c':(5,5), 'd':(3,3)}
我想创建一个新字典,其中包含x和y值小于5的所有点,即点“a”、“b”和“d”。
根据the book,每个字典都有
items()
函数,该函数返回(key, pair)
元组的列表:>>> points.items()
[('a', (3, 4)), ('c', (5, 5)), ('b', (1, 2)), ('d', (3, 3))]
所以我写了这个:
>>> for item in [i for i in points.items() if i[1][0]<5 and i[1][1]<5]:
... points_small[item[0]]=item[1]
...
>>> points_small
{'a': (3, 4), 'b': (1, 2), 'd': (3, 3)}
有更优雅的方式吗?我原以为python会有一些超棒的
dictionary.filter(f)
函数…… 最佳答案
现在,在Python2.7及更高版本中,您可以使用dict理解:
{k: v for k, v in points.iteritems() if v[0] < 5 and v[1] < 5}
在python 3中:
{k: v for k, v in points.items() if v[0] < 5 and v[1] < 5}
关于python - 如何根据任意条件函数过滤字典?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/56118327/