在 Python 中将元组转换为字典
Convert a tuple to a dictionary in Python
使用dict
该类将元组转换为字典,例如
my_dict = dict(my_tuple)
. 该类dict
可以传递一个可迭代的关键字参数(例如元组的元组)并返回一个新字典。
主程序
tuple_of_tuples = (('a', 'one'), ('b', 'two'), ('c', 'three')) my_dict = dict(tuple_of_tuples) # 👇️ {'a': 'one', 'b': 'two', 'c': 'three'} print(my_dict)
我们使用dict类将元组的元组转换为字典。
请注意,此方法仅在您的元组每个包含 2 个元素(一个键和一个值)时才有效。
或者,您可以使用dict
理解。
使用字典理解将元组转换为字典,例如
my_dict = {tup[0]: tup[1] for tup in tuple_of_tuples}
. dict comprehension 将遍历元组,允许我们将每个键值对设置为特定的元组元素。
主程序
tuple_of_tuples = (('a', 'one'), ('b', 'two'), ('c', 'three')) my_dict = {tup[0]: tup[1] for tup in tuple_of_tuples} # 👇️ {'a': 'one', 'b': 'two', 'c': 'three'} print(my_dict)
字典理解与列表理解非常相似。
它们对字典中的每一个键值对执行某种操作,或者选择满足条件的键值对的子集。
在每次迭代中,我们将字典键设置为元组中的第一个元素,并将相应的值设置为第二个元素。
这种方法比使用dict
类灵活得多,因为它不假定元组只有 2 个元素——一个键和一个值。
主程序
tuple_of_tuples = (('one', 'a', 1), ('two', 'b', 2), ('three', 'c', 3)) my_dict = {tup[1]: tup[0] for tup in tuple_of_tuples} # 👇️ {'a': 'one', 'b': 'two', 'c': 'three'} print(my_dict)
如果你的元组只包含两个元素,你也可以使用解包。
主程序
tuple_of_tuples = (('a', 'one'), ('b', 'two'), ('c', 'three')) my_dict = {key: value for key, value in tuple_of_tuples} # 👇️ {'a': 'one', 'b': 'two', 'c': 'three'} print(my_dict)
与dict
类相反,如果每个元组中的第一个元素是值,这种方法也适用。
主程序
tuple_of_tuples = (('one', 'a'), ('two', 'b'), ('three', 'c')) my_dict = {key: value for value, key in tuple_of_tuples} # 👇️ {'a': 'one', 'b': 'two', 'c': 'three'} print(my_dict)
解包时,确保声明的变量与可迭代对象中的项目一样多。
从元组中解包时,每个变量声明都算作一个项目。
确保声明的变量与元组中的项目一样多。
主程序
key, value = ('a', 'one') print(key) # 👉️ 'a' print(value) # 👉️ 'one'
如果您尝试解包的值多于或少于元组中的值,则会出现错误。
主程序
# ⛔️ ValueError: too many values to unpack (expected 2) key, value = ('a', 'one', 'two')
我们声明了 2 个变量,但元组包含 3 个项目。元组中的变量数和项数不一致会导致.
ValueError
如果不需要存储某个值,请使用下划线作为变量名称。
主程序
key, value, _ = ('a', 'one', 'two') print(key) # 👉️ 'a' print(value) # 👉️ 'one'
当您对变量名称使用下划线时,您向其他开发人员表明该变量只是一个占位符。
解包值时,您可以根据需要使用尽可能多的下划线。