Python - Minimum in tuple list value

Finding the minimum value from a tuple list is a common task in Python. A tuple list contains multiple tuples as elements, and we often need to extract minimum values based on specific criteria or positions within those tuples.

What is a Tuple List?

A tuple list (or list of tuples) is a data structure where each element in the list is a tuple. Here's a simple example ?

data = [('x', 4), ('y', 8), ('z', 12)]
print(data[1])  # Access second tuple
('y', 8)

This structure allows us to combine the benefits of both lists and tuples for organized data storage.

Finding Minimum from Nested Lists

When each tuple contains a list, we can find the minimum value within each list using a for loop and the min() function ?

data = [('X', [14, 12, 25]), ('Y', [21, 32, 24]), ('Z', [45, 30, 16])]

# Find minimum value in each nested list
min_values = []
for key, numbers in data:
    min_val = min(numbers)
    min_values.append((key, min_val))

print("Input:", data)
print("Minimum values:", min_values)
Input: [('X', [14, 12, 25]), ('Y', [21, 32, 24]), ('Z', [45, 30, 16])]
Minimum values: [('X', 12), ('Y', 21), ('Z', 16)]

Using List Comprehension

We can achieve the same result more concisely using list comprehension ?

data = [('X', [14, 12, 25]), ('Y', [21, 32, 24]), ('Z', [45, 30, 16])]

# Using list comprehension
min_values = [(key, min(numbers)) for key, numbers in data]
print("Minimum values:", min_values)
Minimum values: [('X', 12), ('Y', 21), ('Z', 16)]

Finding Minimum Tuple by Position

To find the tuple with the minimum value at a specific position, use min() with a lambda function ?

scores = [('Alice', 85), ('Bob', 92), ('Charlie', 78), ('Diana', 96)]

# Find tuple with minimum score (second element)
min_tuple = min(scores, key=lambda x: x[1])
print("Student with minimum score:", min_tuple)

# Find just the minimum score value
min_score = min(scores, key=lambda x: x[1])[1]
print("Minimum score:", min_score)
Student with minimum score: ('Charlie', 78)
Minimum score: 78

Comparison of Methods

Method Time Complexity Best For
For Loop + min() O(n*m) Processing nested lists
List Comprehension O(n*m) Concise syntax
min() + lambda O(n) Finding single minimum tuple

Where n is the number of tuples and m is the size of nested lists.

Conclusion

Use min() with lambda for finding minimum tuples by position. For nested lists within tuples, combine loops or list comprehensions with min(). Choose the method based on your specific data structure and performance needs.

---
Updated on: 2026-03-27T15:26:56+05:30

315 Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements