📜  Python – 将元组的元素提升为另一个元组的权力

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

Python – 将元组的元素提升为另一个元组的权力

有时,在处理记录时,我们可能会遇到需要执行指数运算的问题,即元组的幂。在白天编程中可能会出现此问题。让我们讨论可以执行此任务的某些方式。

方法 #1:使用zip() + 生成器表达式
上述功能的组合可用于执行此任务。在此,我们使用生成器表达式执行功率任务,每个元组的映射索引由 zip() 完成。

# Python3 code to demonstrate working of 
# Tuple exponentiation
# using zip() + generator expression 
  
# initialize tuples 
test_tup1 = (10, 4, 5, 6) 
test_tup2 = (5, 6, 7, 5) 
  
# printing original tuples 
print("The original tuple 1 : " + str(test_tup1)) 
print("The original tuple 2 : " + str(test_tup2)) 
  
# Tuple exponentiation 
# using zip() + generator expression 
res = tuple(ele1 ** ele2 for ele1, ele2 in zip(test_tup1, test_tup2)) 
  
# printing result 
print("The exponentiated tuple : " + str(res)) 
输出 :
The original tuple 1 : (10, 4, 5, 6)
The original tuple 2 : (5, 6, 7, 5)
The exponentiated tuple : (100000, 4096, 78125, 7776)

方法 #2:使用map() + pow
上述功能的组合也可以执行此任务。在此,我们使用 mul 执行扩展求幂逻辑的任务,映射由 map() 完成。

# Python3 code to demonstrate working of 
# Tuple exponentiation
# using map() + pow 
from operator import pow
  
# initialize tuples 
test_tup1 = (10, 4, 5, 6) 
test_tup2 = (5, 6, 7, 5) 
  
# printing original tuples 
print("The original tuple 1 : " + str(test_tup1)) 
print("The original tuple 2 : " + str(test_tup2)) 
  
# Tuple exponentiation
# using map() + pow  
res = tuple(map(pow, test_tup1, test_tup2)) 
  
# printing result 
print("The exponentiated tuple : " + str(res)) 
输出 :
The original tuple 1 : (10, 4, 5, 6)
The original tuple 2 : (5, 6, 7, 5)
The exponentiated tuple : (100000, 4096, 78125, 7776)