Python|如何获得元组的减法
有时,在处理记录时,我们可能会遇到一个常见问题,即用另一个元组的相应索引减去一个元组的内容。这几乎适用于我们处理元组记录的所有领域。让我们讨论可以执行此任务的某些方式。
方法 #1:使用map()
+ lambda
结合以上功能可以为我们解决问题。在此,我们使用 lambda 函数计算减法,并使用 map() 将逻辑扩展到键。
# Python3 code to demonstrate working of
# Subtraction of tuples
# using map() + lambda
# initialize tuples
test_tup1 = (10, 4, 5)
test_tup2 = (2, 5, 18)
# printing original tuples
print("The original tuple 1 : " + str(test_tup1))
print("The original tuple 2 : " + str(test_tup2))
# Subtraction of tuples
# using map() + lambda
res = tuple(map(lambda i, j: i - j, test_tup1, test_tup2))
# printing result
print("Resultant tuple after subtraction : " + str(res))
输出 :
The original tuple 1 : (10, 4, 5)
The original tuple 2 : (2, 5, 18)
Resultant tuple after subtraction : (8, -1, -13)
方法 #2:使用map() + sub()
以上功能的组合可以帮助我们完成这个任务。在此,我们首先使用map()
将逻辑扩展到所有,然后使用sub()
执行每个索引的减法。
# Python3 code to demonstrate working of
# Addition of tuples
# using map() + sub()
import operator
# initialize tuples
test_tup1 = (10, 4, 5)
test_tup2 = (2, 5, 18)
# printing original tuples
print("The original tuple 1 : " + str(test_tup1))
print("The original tuple 2 : " + str(test_tup2))
# Addition of tuples
# using map() + sub()
res = tuple(map(operator.sub, test_tup1, test_tup2))
# printing result
print("Resultant tuple after subtraction : " + str(res))
输出 :
The original tuple 1 : (10, 4, 5)
The original tuple 2 : (2, 5, 18)
Resultant tuple after subtraction : (8, -1, -13)