Add another tuple to a tuple of tuples

44    Asked by JohnIngerson in Python , Asked on Jun 16, 2025

This question looks at how to combine or extend immutable data structures like tuples by creating a new tuple that includes the original elements plus the one you want to add.

Answered by Jannette Uhrig

In Python, tuples are immutable, which means you can’t modify them in place — including adding elements directly. But that doesn’t mean you’re stuck! You can still create a new tuple by combining the existing one with the new tuple you want to add.

 Here’s how you do it:

Let’s say you have a tuple of tuples like this:

  original = ((1, 2), (3, 4))

And now you want to add another tuple (5, 6) to it. Just do this:

  new_tuple = original + ((5, 6),)

 Why double parentheses?

The extra parentheses around (5, 6), are needed to define it as a single-element tuple. Without that comma, Python just treats it as a grouped expression.

 Key points to remember:

  • Tuples are immutable, so you can't use methods like append().
  • Use + to concatenate two tuples.
  • Always make sure the new item is wrapped in a tuple with a trailing comma.

 Example in action:

original = (("apple", "banana"), ("orange", "grape"))
new_item = ("kiwi", "melon")
result = original + (new_item,)
print(result)
# Output: (('apple', 'banana'), ('orange', 'grape'), ('kiwi', 'melon'))

So while you’re not technically “adding” in the traditional sense, this approach gives you the same result — a new tuple that includes all the elements you need!



Your Answer

Interviews

Parent Categories