我有点词典,说:
>>> 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)
函数......
答案 0 :(得分:361)
如今,在Python 2.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}
答案 1 :(得分:106)
dict((k, v) for k, v in points.items() if all(x < 5 for x in v))
如果您使用的是Python 2,则可以选择拨打.iteritems()
而不是.items()
,而points
可能会有批次条目。
all(x < 5 for x in v)
表示相同的约束),那么 and
可能会有点过分,但它会正常工作;-)。
答案 2 :(得分:20)
points_small = dict(filter(lambda (a,(b,c)): b<5 and c < 5, points.items()))
答案 3 :(得分:9)
>>> points = {'a': (3, 4), 'c': (5, 5), 'b': (1, 2), 'd': (3, 3)}
>>> dict(filter(lambda x: (x[1][0], x[1][1]) < (5, 5), points.items()))
{'a': (3, 4), 'b': (1, 2), 'd': (3, 3)}
答案 4 :(得分:8)
dict((k, v) for (k, v) in points.iteritems() if v[0] < 5 and v[1] < 5)
答案 5 :(得分:7)
我认为Alex Martelli的答案肯定是最优雅的方式,但只是想添加一种方法来满足你对Pythonic方式的超级棒dictionary.filter(f)
方法的需求:
class FilterDict(dict):
def __init__(self, input_dict):
for key, value in input_dict.iteritems():
self[key] = value
def filter(self, criteria):
for key, value in self.items():
if (criteria(value)):
self.pop(key)
my_dict = FilterDict( {'a':(3,4), 'b':(1,2), 'c':(5,5), 'd':(3,3)} )
my_dict.filter(lambda x: x[0] < 5 and x[1] < 5)
基本上我们创建了一个继承自dict
的类,但添加了filter方法。我们确实需要使用.items()
进行过滤,因为在破坏性迭代时使用.iteritems()
会引发异常。
答案 6 :(得分:6)
dict((k, v) for (k, v) in points.iteritems() if v[0] < 5 and v[1] < 5)