Convert Tuple to integer in Python

When it is required to convert a tuple into an integer, the lambda function and the reduce function can be used. This approach treats each tuple element as a digit and combines them into a single integer.

Anonymous function is a function which is defined without a name. The reduce() function takes two parameters − a function and a sequence, where it applies the function to all the elements of the tuple/sequence. It is present in the functools module.

In general, functions in Python are defined using def keyword, but anonymous function is defined with the help of lambda keyword. It takes a single expression, but can take any number of arguments. It uses the expression and returns the result of it.

Using reduce() and lambda

Below is a demonstration of converting tuple digits to an integer ?

import functools

my_tuple_1 = (2, 3, 4, 5, 1, 2)

print("The first tuple is :")
print(my_tuple_1)

my_result = functools.reduce(lambda sub, elem: sub * 10 + elem, my_tuple_1)

print("After converting tuple to integer, it is")
print(my_result)
The first tuple is :
(2, 3, 4, 5, 1, 2)
After converting tuple to integer, it is
234512

Alternative Method Using String Conversion

Another approach is to convert each element to string, join them, and convert back to integer ?

my_tuple = (7, 8, 9, 1, 2)

print("Original tuple:", my_tuple)

# Convert to string and join
result = int(''.join(map(str, my_tuple)))

print("Converted integer:", result)
Original tuple: (7, 8, 9, 1, 2)
Converted integer: 78912

How It Works

The reduce() method works by:

  • Starting with the first element as the initial value
  • Multiplying the accumulated result by 10
  • Adding the next element to form the digit sequence
  • Repeating until all elements are processed

For tuple (2, 3, 4): 2 ? (2×10)+3=23 ? (23×10)+4=234

Comparison

Method Readability Performance Best For
reduce() + lambda Medium Good Functional programming style
join() + map() High Excellent Simple and readable code

Conclusion

Use reduce() with lambda for a functional approach to convert tuple digits to integer. The string conversion method with join() is more readable and often preferred for its simplicity.

Updated on: 2026-03-25T17:31:15+05:30

2K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements