使用字符串更新Python字典以设置(键,值)失败

时间:2017-05-08 16:17:47

标签: python dictionary grammar iterable

dict.update([other])

  

使用其他中的键/值对更新字典,覆盖现有密钥。返回

     

update()接受另一个字典对象或一对键/值对的迭代(作为元组或长度为2的其他迭代)。如果指定了关键字参数,则使用这些键/值对更新字典:d.update(red = 1,blue = 2)。

但是

>>> {}.update( ("key", "value") )
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: dictionary update sequence element #0 has length 3; 2 is required

那么为什么Python显然会尝试使用元组的第一个字符串?

1 个答案:

答案 0 :(得分:3)

立即解决方案是:唯一的参数other可选可迭代元组(或其他长度为2的迭代)。

没有参数(它是可选的,因为当你不需要它时: - ):

>>> d = {}
>>> d.update()
>>> d
{}

带有元组的列表(不要将它与包含可选参数的方括号混淆!):

>>> d = {}
>>> d.update([("key", "value")])
>>> d
{'key': 'value'}

根据Python glossary on iterables,元组(因为所有序列类型)也是可迭代的,但是这会失败:

>>> d = {}
>>> d.update((("key", "value")))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: dictionary update sequence element #0 has length 3; 2 is required

Python documentation on tuple再次解开了这个谜团:

  

请注意,它实际上是逗号,而不是括号。括号是可选的,除了空元组情况,或者需要它们以避免语法模糊。

即。 (None)根本不是元组,但(None,)是:

>>> type( (None,) )
<class 'tuple'>

这样可行:

>>> d = {}
>>> d.update((("key", "value"),))
>>> d
{'key': 'value'}
>>>

但这不是

>>> d = {}
>>> d.update(("key", "value"),)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
ValueError: dictionary update sequence element #0 has length 3; 2 is required

因为语法歧义(逗号是函数参数分隔符)。