Python Tuples¶
Tuples are one of the four built-in data types in Python used to store collections of data. They are similar to lists but have one key difference: they are immutable, meaning that once a tuple is created, the items in it cannot be changed.
Creating Tuples¶
A tuple is created by placing all the items (elements) inside parentheses (), separated by commas. It can have any number of items, and they may be of different types (integer, float, list, string, etc.).
numbers = (21, -5, 6, 9)
print(numbers) # Output: (21, -5, 6, 9)
(32, 'rainy', 5.6, ['book', 'umbrella'], False)
Tuple Length¶
You can determine how many items a tuple has by using the len() function:
info = ('Alice', 30, 'New York')
print("The length of the tuple is:", len(info))
The length of the tuple is: 3
Tuples with Different Data Types¶
Tuples can contain elements of different data types:
varied_tuple = ('John', 42, False, 3.14, ['apple', 'banana'])
print(varied_tuple)
('John', 42, False, 3.14, ['apple', 'banana'])
Using the tuple() Constructor¶
You can create a tuple by using the tuple() constructor:
list_to_tuple = tuple(["green", "blue", "yellow"])
print(list_to_tuple)
('green', 'blue', 'yellow')
Nested Tuples¶
Tuples can contain other tuples as well as other collections (lists, sets, etc.):
outer_tuple = ('morning', (1, 2, 3), ('coffee', 'toast'))
print(outer_tuple)
('morning', (1, 2, 3), ('coffee', 'toast'))
Accessing Elements of a Tuple¶
You can access tuple items by referring to the index number, inside square brackets:
colors = ('red', 'green', 'blue')
print("The second color is:", colors[1])
The second color is: green
Accessing a Range of Elements¶
You can specify a range of indexes by specifying where to start and where to end the range:
numbers = (1, 5, 6, 3)
print(numbers[1:4]) # Output: (5, 6, 3)
(5, 6, 3)
Updating Tuples¶
Tuples are immutable, which means that once a tuple is created, you cannot change, add, or remove items. However, you can concatenate two or more tuples:
tuple_one = ('apple', 'banana')
tuple_two = ('cherry', 'date')
new_tuple = tuple_one + tuple_two
print(new_tuple)
('apple', 'banana', 'cherry', 'date')
Repetition¶
Tuples support repetition using the * operator:
simple_tuple = ('echo',)
print(simple_tuple * 4)
('echo', 'echo', 'echo', 'echo')
Checking if an Item Exists¶
To determine if a specified item is present in a tuple, use the in keyword:
weekdays = ('Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday')
print('Friday' in weekdays)
True
Count and Index Methods¶
Utilizing count() and index() methods on tuples:
sample_tuple = (1, 2, 3, 2, 4, 2)
print("Number 2 appears:", sample_tuple.count(2), "times")
print("The index of number 4 is:", sample_tuple.index(4))
Number 2 appears: 3 times The index of number 4 is: 4