📜  Python字典理解

📅  最后修改于: 2022-05-13 01:55:11.656000             🧑  作者: Mango

Python字典理解

与列表理解一样, Python允许字典理解。我们可以使用简单的表达式创建字典。
字典理解的形式为 {key: value for (key, value) in iterable}

让我们看一个例子,假设我们现在有两个名为键和值的列表,

# Python code to demonstrate dictionary 
# comprehension
  
# Lists to represent keys and values
keys = ['a','b','c','d','e']
values = [1,2,3,4,5]  
  
# but this line shows dict comprehension here  
myDict = { k:v for (k,v) in zip(keys, values)}  
  
# We can use below too
# myDict = dict(zip(keys, values))  
  
print (myDict)

输出 :

{'a': 1, 'b': 2, 'c': 3, 'd': 4, 'e': 5}

我们还可以使用理解从列表中制作字典

# Python code to demonstrate dictionary 
# creation using list comprehension
myDict = {x: x**2 for x in [1,2,3,4,5]}
print (myDict)

输出 :

{1: 1, 2: 4, 3: 9, 4: 16, 5: 25}

和喜欢,

sDict = {x.upper(): x*3 for x in 'coding '}
print (sDict)

输出 :

{'O': 'ooo', 'N': 'nnn', 'I': 'iii', 'C': 'ccc', 'D': 'ddd', 'G': 'ggg'}

我们可以将字典推导与 if 和 else 语句以及其他表达式一起使用。下面的示例将数字映射到不能被 4 整除的立方体:

# Python code to demonstrate dictionary 
# comprehension using if.
newdict = {x: x**3 for x in range(10) if x**3 % 4 == 0}
print(newdict)

输出 :

{0: 0, 8: 512, 2: 8, 4: 64, 6: 216}