Tuples in Python
A tuple is an ordered, immutable collection of elements that allows duplicates. Unlike lists, tuples cannot be modified after creation, making them useful for fixed data structures.
🔹 Tuple Operations
📌 Good for: Ordered, immutable, allows duplicates
Basic Operations
tuple[i]
→ Access element at index i
| t = (10, 20, 30) |
| print(t[1]) |
tuple[i:j]
→ Slice from i
to j-1
| t = (10, 20, 30, 40) |
| print(t[1:3]) |
tuple.count(x)
→ Count occurrences of x
| t = (1, 2, 2, 3, 4, 2) |
| print(t.count(2)) |
tuple.index(x)
→ Find first occurrence of x
| t = (10, 20, 30, 40) |
| print(t.index(30)) |
tuple + tuple2
→ Concatenation
| t1 = (1, 2, 3) |
| t2 = (4, 5, 6) |
| print(t1 + t2) |
tuple * n
→ Repeat n
times
| t = (10, 20, 30) |
| print(len(t)) |
Tuple Unpacking
Tuples allow unpacking values into separate variables.
| a, b, c = (1, 2, 3) |
| print(a, b, c) |
Conversion
Convert list or set to a tuple.
| lst = [1, 2, 3] |
| t = tuple(lst) |
| print(t) |
| |
| s = {4, 5, 6} |
| t = tuple(s) |
| print(t) |