Kth Column Product in Tuple List in Python

When we need to find the product of elements in a specific column (Kth position) across all tuples in a list, we can use list comprehension to extract the column values and then calculate their product.

A tuple is an immutable data type that stores elements in a fixed order. Once created, tuple elements cannot be modified. A list of tuples represents tabular data where each tuple is a row and tuple positions represent columns.

List comprehension provides a concise way to extract specific elements from each tuple and perform operations on them.

Example

Here's how to calculate the product of the Kth column in a tuple list ?

def prod_compute(values):
    result = 1
    for elem in values:
        result *= elem
    return result

tuple_list = [(51, 62, 75), (18, 39, 25), (81, 19, 99)]

print("The list is:")
print(tuple_list)

K = 2
print(f"Finding product of column {K}")

# Extract Kth column values using list comprehension
column_values = [sub[K] for sub in tuple_list]
print(f"Column {K} values: {column_values}")

result = prod_compute(column_values)
print(f"The product of the Kth column is: {result}")
The list is:
[(51, 62, 75), (18, 39, 25), (81, 19, 99)]
Finding product of column 2
Column 2 values: [75, 25, 99]
The product of the Kth column is: 185625

Using Built-in Functions

We can also use Python's built-in functions for a more concise solution ?

from math import prod

tuple_list = [(51, 62, 75), (18, 39, 25), (81, 19, 99)]
K = 1

# Extract column K and calculate product
result = prod([row[K] for row in tuple_list])
print(f"Product of column {K}: {result}")

# Alternative: using reduce
from functools import reduce
import operator

result2 = reduce(operator.mul, [row[K] for row in tuple_list])
print(f"Using reduce: {result2}")
Product of column 1: 47538
Using reduce: 47538

How It Works

The solution works in two steps:

  1. Extract Column Values: [sub[K] for sub in my_list] creates a list containing the Kth element from each tuple
  2. Calculate Product: Multiply all extracted values using a loop or built-in functions

Comparison of Methods

Method Python Version Readability Performance
Custom function All versions Clear Good
math.prod() 3.8+ Excellent Best
reduce() All versions Good Good

Conclusion

Use list comprehension to extract the Kth column from tuple lists, then apply math.prod() for the most concise solution in Python 3.8+. For older versions, use a custom function or reduce() with operator.mul.

Updated on: 2026-03-25T17:05:12+05:30

287 Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements