在 python IDLE 中,分别创建元组、列表、集合、字典四种序列(标识符和数据自定),并且每个序列使用3种函数或内置方法。
时间: 2024-09-23 09:05:09 浏览: 61
在Python的IDLE中,我们可以轻松地创建并操作元组(tuple)、列表(list)、集合(set)和字典(dictionary)。以下是创建和使用这四种类型的例子:
1. 元组(Tuple):
```python
# 创建元组
my_tuple = (1, 'two', 3.0)
# 使用内置函数len()获取长度
print(len(my_tuple)) # 输出:3
# 使用索引访问元素
print(my_tuple[0]) # 输出:1
```
2. 列表(List):
```python
# 创建列表
my_list = [1, 'two', 3.0]
# 使用append()方法添加元素
my_list.append('four') # my_list now is [1, 'two', 3.0, 'four']
print(my_list) # 输出:[1, 'two', 3.0, 'four']
# 使用remove()方法删除特定元素
my_list.remove('two') # 删除'two'
print(my_list) # 输出:[1, 3.0, 'four']
```
3. 集合(Set):
```python
# 创建集合
my_set = {1, 'two', 3}
# 使用内置的add()方法添加元素,集合不会包含重复值
my_set.add(3) # no change since 3 is already there
print(my_set) # 输出:{1, 'two', 3}
# 使用difference()方法找出两个集合的差集
other_set = {4, 5}
diff = my_set.difference(other_set)
print(diff) # 输出:{1, 'two'}
```
4. 字典(Dictionary):
```python
# 创建字典
my_dict = {'name': 'Alice', 'age': 25}
# 使用get()方法获取值
print(my_dict.get('name')) # 输出:'Alice'
# 添加新的键值对
my_dict['city'] = 'New York'
print(my_dict)
阅读全文