温馨提示×

python中set的用法是什么

小亿
87
2023-11-10 02:20:51
栏目: 编程语言

在Python中,set是一种容器类型,用于存储不重复的元素集合。它类似于数学中的集合,没有固定顺序,而且元素不可重复。

set的常用操作包括:

  1. 创建set:可以使用花括号{}或者set()函数来创建一个空的set。例如:
my_set = {1, 2, 3}  # 使用花括号创建set
my_set = set([1, 2, 3])  # 使用set()函数创建set
  1. 添加元素:使用add()方法向set中添加一个元素,如果元素已经存在,则不会重复添加。例如:
my_set.add(4)
  1. 删除元素:使用remove()或者discard()方法从set中删除指定元素。如果元素不存在,remove()会引发一个KeyError,而discard()不会有任何反应。例如:
my_set.remove(3)
my_set.discard(3)
  1. 集合运算:set支持各种集合运算,如并集、交集、差集等。例如:
set1 = {1, 2, 3}
set2 = {2, 3, 4}
union_set = set1 | set2  # 并集
intersection_set = set1 & set2  # 交集
difference_set = set1 - set2  # 差集
  1. 遍历set:可以使用for循环来遍历set中的元素。例如:
for item in my_set:
    print(item)

需要注意的是,set中的元素必须是不可变类型,例如数字、字符串、元组等,而不能包含可变类型的元素,如列表、字典等。因为set是基于哈希表实现的,可变类型的元素没有哈希值,无法作为set的元素。

0