8 基本数据结构
大约 2 分钟
本篇是 Python 系列教程第 8 篇,更多内容敬请访问我的 Python 合集
Python 提供了几种内置的数据结构,这些数据结构可以帮助我们有效地组织和管理数据。下面是一些基本的数据结构及其介绍和示例:
1 列表 (list
)
列表是一种有序的、可变的数据结构,可以包含任何类型的项。
特点:
- 有序: 列表中的元素有明确的位置。
- 可变: 列表中的元素可以被修改、添加或删除。
创建:
my_list = [1, '2', 'abc']
示例:
# 创建列表
numbers = [1, 2, 3, 4, 5]
# 访问元素
print(numbers[0]) # 输出 1
# 修改元素
numbers[0] = 10
print(numbers) # 输出 [10, 2, 3, 4, 5]
# 添加元素
numbers.append(6)
print(numbers) # 输出 [10, 2, 3, 4, 5, 6]
# 删除元素
numbers.remove(10)
print(numbers) # 输出 [2, 3, 4, 5, 6]
2 元组 (tuple
)
元组也是一种有序的数据结构,但它一旦创建后就不能被修改。
特点:
- 有序: 元组中的元素有明确的位置。
- 不可变: 元组中的元素不能被修改、添加或删除。
创建:
my_tuple = (1, 2, 3)
示例:
# 创建元组
colors = ("red", "green", "blue")
# 访问元素
print(colors[0]) # 输出 "red"
# 元组是不可变的,因此不能像这样修改:
# colors[0] = "yellow" # TypeError: 'tuple' object does not support item assignment
3 字典 (dict
)
字典是一种无序的、可变的数据结构,通过键值对来存储数据。
特点:
- 无序: 字典中的元素没有固定的顺序。
- 可变: 字典中的元素可以被修改、添加或删除。
- 键唯一: 每个键在字典中是唯一的。
创建:
my_dict = {"key": "value"}
示例:
# 创建字典
person = {"name": "Alice", "age": 30}
# 访问元素
print(person["name"]) # 输出 "Alice"
# 添加元素
person["city"] = "New York"
print(person) # 输出 {"name": "Alice", "age": 30, "city": "New York"}
# 修改元素
person["age"] = 31
print(person) # 输出 {"name": "Alice", "age": 31, "city": "New York"}
# 删除元素
del person["city"]
print(person) # 输出 {"name": "Alice", "age": 31}
4 集合 (set
)
集合是一种无序的、不重复的数据结构,用于存储唯一元素。
特点:
- 无序: 集合中的元素没有固定的顺序。
- 不重复: 集合中的元素都是唯一的。
创建:
my_set = {1, 2, 3}
示例:
# 创建集合
fruits = {"apple", "banana", "cherry"}
# 添加元素
fruits.add("orange")
print(fruits) # 输出 {"apple", "banana", "cherry", "orange"}
# 移除元素
fruits.remove("banana")
print(fruits) # 输出 {"apple", "cherry", "orange"}
# 集合操作
fruits2 = {"banana", "mango", "grape"}
union = fruits.union(fruits2)
print(union) # 输出 {"apple", "cherry", "orange", "mango", "grape"}
intersection = fruits.intersection(fruits2)
print(intersection) # 输出 {"banana"}