python set 怎么用
时间: 2023-08-17 12:02:30 浏览: 88
python set集合使用方法解析
5星 · 资源好评率100%
Python中的set是一种无序且不重复的集合数据类型。你可以使用set来存储一组元素,并且可以进行一些常见的集合操作,例如并集、交集、差集等。
要创建一个set,你可以使用花括号{}或者使用set()函数。下面是一些set的基本操作示例:
1. 创建一个set:
```python
my_set = {1, 2, 3, 4, 5}
print(my_set) # 输出: {1, 2, 3, 4, 5}
```
2. 添加元素到set:
```python
my_set.add(6)
print(my_set) # 输出: {1, 2, 3, 4, 5, 6}
```
3. 从set中移除元素:
```python
my_set.remove(3)
print(my_set) # 输出: {1, 2, 4, 5, 6}
```
4. 检查元素是否在set中:
```python
print(2 in my_set) # 输出: True
print(3 in my_set) # 输出: False
```
5. 遍历set中的元素:
```python
for num in my_set:
print(num)
```
6. 集合操作:
```python
set1 = {1, 2, 3}
set2 = {3, 4, 5}
# 并集
union_set = set1.union(set2)
print(union_set) # 输出: {1, 2, 3, 4, 5}
# 交集
intersection_set = set1.intersection(set2)
print(intersection_set) # 输出: {3}
# 差集
difference_set = set1.difference(set2)
print(difference_set) # 输出: {1, 2}
```
这些只是set的基本用法,你还可以在文档中查看更多关于set的操作和方法。希望对你有帮助!
阅读全文