Course Content
Introduction to Python
Introduction to Python
What Is a Tuple?
A tuple is another data type in Python that can hold multiple values or variables. These values are separated by commas and wrapped in parentheses. At first, it might seem like tuples are pretty similar to lists, but there are some key differences you should be aware of.
The main distinction lies in mutability: lists can be modified, but tuples cannot. You might recall altering a list using the .extend()
method. This method isn't available for tuples, meaning once a tuple is set, you can't change its contents without creating a new tuple. Plus, tuples are more efficient in terms of speed and memory usage compared to lists. Given their immutability, tuples are often chosen when dealing with sensitive data.
Let's keep working with the example data we've been using:
# Create tuple US_Info = ("USA", 9629091, 331002651) print(type(US_Info))
Note
You can also transform an iterable object into a tuple with the
tuple()
function.
# Create a list list_variable = [1, 2, 3] # Convert it into a tuple tuple_variable = tuple(list_variable) # Print the type of the converted variable print(type(tuple_variable))
Thanks for your feedback!