Open In App

How to Multiply all items in Tuple - Python

Last Updated : 12 Jul, 2025
Comments
Improve
Suggest changes
Like Article
Like
Report

We are given a tuple of numbers and our task is to find the product of all elements. Since tuples are immutable hence we cannot modify them directly but we can iterate over the elements and compute the result efficiently. For example, given: tup = (2, 3, 5) then the output will be 30 as 2 × 3 × 5 = 30.

Using math.prod()

math.prod() function from the math module efficiently computes the product of all elements in an iterable.

Python
import math

tup = (2, 3, 5)
res = math.prod(t)

print(res)  

Output
30

Explanation:

  • math.prod(t) calculates the product of all numbers in t.
  • It is optimized for performance and works efficiently for large tuples.

Using functools.reduce()

reduce() function from functools applies a function cumulatively to the elements of an iterable, making it useful for multiplying all elements in a tuple.

Python
from functools import reduce

tup = (2, 3, 5)
res = reduce(lambda x, y: x * y, tup)

print(res)  

Output
30

Explanation:

  • reduce(lambda x, y: x * y, t) applies multiplication step by step.
  • It processes the tuple in a cumulative manner without using a loop.

Using eval() with join()

eval() function can evaluate a string expression and when combined with join() it allows us to compute the product efficiently.

Python
tup = (2, 3, 5)
res = eval('*'.join(map(str, tup)))

print(res)  

Output
30

Explanation:

  • map(str, t) converts each number in the tuple to a string.
  • '*'.join(...) joins the numbers with *, forming the expression "2*3*5".
  • eval(...) evaluates this string as a mathematical expression.

Using a Loop

A for loop can be used to multiply all elements in the tuple sequentially.

Python
tup = (2, 3, 5)
res = 1  

for x in tup:
    res *= x  

print(res)  

Output
30

Explanation:

  • res is initialized to 1 (since multiplying by 0 would result in 0).
  • The loop iterates over t, multiplying each element with res.

Practice Tags :

Similar Reads