📜  Python - 元组字典值的总和

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

Python - 元组字典值的总和

有时,在处理数据时,我们可能会遇到一个问题,即我们需要找到作为字典值接收的元组元素的总和。我们可能有一个问题来获得索引明智的总和。让我们讨论一些可以解决这个特定问题的方法。

方法 #1:使用tuple() + sum() + zip() + values()
上述方法的组合可用于执行此特定任务。在此,我们只是使用 zip() 将 values() 提取的 equi 索引值压缩在一起。然后使用相应的函数求和。最后,结果作为元组按索引求和返回。

# Python3 code to demonstrate working of
# Summation of tuple dictionary values
# Using tuple() + sum() + zip() + values()
  
# Initializing dictionary
test_dict = {'gfg' : (5, 6, 1), 'is' : (8, 3, 2), 'best' : (1, 4, 9)}
  
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
  
# Summation of tuple dictionary values
# Using tuple() + sum() + zip() + values()
res = tuple(sum(x) for x in zip(*test_dict.values()))
  
# printing result
print("The summation from each index is : " + str(res))
输出 :
The original dictionary is : {'is': (8, 3, 2), 'best': (1, 4, 9), 'gfg': (5, 6, 1)}
The summation from each index is : (14, 13, 12)

方法 #2:使用tuple() + map() + values()
这是可以执行此任务的另一种方式。不同之处在于我们使用 map() 而不是循环。

# Python3 code to demonstrate working of
# Summation of tuple dictionary values
# Using tuple() + map() + values()
  
# Initializing dictionary
test_dict = {'gfg' : (5, 6, 1), 'is' : (8, 3, 2), 'best' : (1, 4, 9)}
  
# printing original dictionary
print("The original dictionary is : " + str(test_dict))
  
# Summation of tuple dictionary values
# Using tuple() + map() + values()
temp = []
for sub in test_dict.values():
    temp.append(list(sub))
res = tuple(map(sum, temp))
  
# printing result
print("The summation from each index is : " + str(res))
输出 :
The original dictionary is : {'is': (8, 3, 2), 'best': (1, 4, 9), 'gfg': (5, 6, 1)}
The summation from each index is : (14, 13, 12)