2

字典视图“是类似集合的对象”,因此可用于将字典内容与其他对象进行比较。具体来说,

  • key-views : 类似集合
  • value-views : 不像集合
  • item-views:如果(键,值)对是唯一且可散列的,则类似于集合

键视图的类集合性质允许按位比较。在 Python 3 中,我们可以使用&运算符找到交集。

hex_ids = {'#b0a7aa': '9976', '#595f5b': '19367', '#9a8f6a': '24095'}
hex_ids.keys()
# dict_keys(['#595f5b', '#9a8f6a', '#b0a7aa'])

{'#c7ccc0', '#9a8f6a', '#8a8e3e'} & hex_ids.keys()
# {'#9a8f6a'}

奇怪的是,比较 alist和 key-view 也是可能的:

['#c7ccc0', '#9a8f6a', '#8a8e3e'] & hex_ids.keys()
# {'#9a8f6a'}

listset对象通常不能以这种方式进行比较。

['#c7ccc0', '#9a8f6a', '#8a8e3e'] & set(['#595f5b', '#9a8f6a', '#b0a7aa'])
# TypeError: unsupported operand type(s) for &: 'list' and 'set'

['#c7ccc0', '#9a8f6a', '#8a8e3e'] & {['#595f5b', '#9a8f6a', '#b0a7aa']}
# TypeError: unhashable type: 'list'

除了类似于集合之外,为什么键视图可以与使用位运算符的列表进行比较?


测试于:|Python 3.5.2|Python 3.4.4|Python 2.7.12(使用viewkeys())|IPython 5.0.0|

4

1 回答 1

2

__rand__在类型上使用方法(“reflected and”的缩写)dict_keys。注意,反射函数仅在左操作数不支持相应操作且操作数类型不同时才会调用,这里就是这种情况。

>>> {}.keys().__rand__
<method-wrapper '__rand__' of dict_keys object at 0x109948f18>

例如:

>>> {0:0, 1:1}.keys().__rand__([1, 2])
{1}

出于某种原因,该方法没有为集合实现,这就是为什么它不起作用:

>>> {0, 1}.__rand__([1, 2])
NotImplemented

我不知道在集合上遗漏的原因,但我怀疑它可能是“没有人费心去写它”,因为你可以set.intersection明确地使用它。

于 2016-11-19T16:33:35.667 回答