编写python程序,实现元祖、列表、字典的定义,并实现元素查找、修改、插入、删除
时间: 2023-10-19 20:06:07 浏览: 218
以下是元祖、列表、字典的定义和基本操作的示例代码:
1. 元祖
```
# 定义元祖
tup = ('apple', 'banana', 'cherry')
# 查找元素
print(tup[1]) # 输出: banana
# 修改元素 - 元祖是不可变的,不能修改元素
# 插入元素 - 元祖是不可变的,不能插入元素
# 删除元素 - 元祖是不可变的,不能删除元素
```
2. 列表
```
# 定义列表
lst = ['apple', 'banana', 'cherry']
# 查找元素
print(lst[1]) # 输出: banana
# 修改元素
lst[1] = 'orange'
print(lst) # 输出: ['apple', 'orange', 'cherry']
# 插入元素
lst.insert(1, 'pear')
print(lst) # 输出: ['apple', 'pear', 'orange', 'cherry']
# 删除元素
lst.remove('pear')
print(lst) # 输出: ['apple', 'orange', 'cherry']
```
3. 字典
```
# 定义字典
dic = {'name': 'Tom', 'age': 20, 'gender': 'male'}
# 查找元素
print(dic['name']) # 输出: Tom
# 修改元素
dic['age'] = 25
print(dic) # 输出: {'name': 'Tom', 'age': 25, 'gender': 'male'}
# 插入元素
dic['city'] = 'Beijing'
print(dic) # 输出: {'name': 'Tom', 'age': 25, 'gender': 'male', 'city': 'Beijing'}
# 删除元素
del dic['gender']
print(dic) # 输出: {'name': 'Tom', 'age': 25, 'city': 'Beijing'}
```
阅读全文