📜  Python|字典中的增量值

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

Python|字典中的增量值

有时,在使用字典时,我们可以有一个用例,我们需要在字典中增加特定键的值。这似乎是一个非常直接的问题,但是当不知道密钥的存在时会出现捕获,因此有时会变成两步过程。让我们讨论可以执行此任务的某些方式。

方法 #1:使用get()
get函数可用于将不存在的键初始化为 0,然后可以进行增量。这样可以避免密钥不存在的问题。

# Python3 code to demonstrate working of
# Increment value in dictionary
# Using get()
  
# Initialize dictionary
test_dict = {'gfg' : 1, 'is' : 2, 'for' : 4, 'CS' : 5}
  
# printing original dictionary
print("The original dictionary : " +  str(test_dict))
  
# Using get()
# Increment value in dictionary
test_dict['best'] = test_dict.get('best', 0) + 3
      
# printing result 
print("Dictionary after the increment of key : " + str(test_dict))
输出 :

方法 #2:使用defaultdict()
这个问题也可以通过使用 defaultdict 方法来解决,该方法初始化潜在的键并且在键不存在的情况下不会抛出异常。

# Python3 code to demonstrate working of
# Increment value in dictionary
# Using defaultdict()
from collections import defaultdict
  
# Initialize dictionary
test_dict = defaultdict(int)
  
# printing original dictionary
print("The original dictionary : " +  str(dict(test_dict)))
  
# Using defaultdict()
# Increment value in dictionary
test_dict['best'] += 3
      
# printing result 
print("Dictionary after the increment of key : " + str(dict(test_dict)))
输出 :