相关文章推荐
独立的荔枝  ·  WPF TabControl ...·  1 年前    · 
咆哮的梨子  ·  用 pyecharts ...·  1 年前    · 
不羁的稀饭  ·  JAX-WS - ...·  1 年前    · 
欢乐的熊猫  ·  解决.net ...·  1 年前    · 
俊逸的青蛙  ·  getFileInformationByHa ...·  1 年前    · 

集合(set)是一个无序的不重复元素序列。

可以使用大括号 { } 或者 set() 函数创建集合,注意:创建一个空集合必须用 set() 而不是 { } ,因为 { } 是用来创建一个空字典。 创建格式:

parame = {value01,value02,...} set(value)

实例(Python 3.0+)

>>> basket = { 'apple' , 'orange' , 'apple' , 'pear' , 'orange' , 'banana' }
>>> print ( basket ) # 这里演示的是去重功能
{ 'orange' , 'banana' , 'pear' , 'apple' }
>>> 'orange' in basket # 快速判断元素是否在集合内
>>> 'crabgrass' in basket
False
>>> # 下面展示两个集合间的运算.
>>> a = set ( 'abracadabra' )
>>> b = set ( 'alacazam' )
{ 'a' , 'r' , 'b' , 'c' , 'd' }
>>> a - b # 集合a中包含而集合b中不包含的元素
{ 'r' , 'd' , 'b' }
>>> a | b # 集合a或b中包含的所有元素
{ 'a' , 'c' , 'r' , 'd' , 'b' , 'm' , 'z' , 'l' }
>>> a & b # 集合a和b中都包含了的元素
{ 'a' , 'c' }
>>> a ^ b # 不同时包含于a和b的元素
{ 'r' , 'd' , 'b' , 'm' , 'z' , 'l' }
>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> thisset. add ( "Facebook" )
>>> print ( thisset )
{ 'Taobao' , 'Facebook' , 'Google' , 'Runoob' }

还有一个方法,也可以添加元素,且参数可以是列表,元组,字典等,语法格式如下:

s.update( x )

x 可以有多个,用逗号分开。

实例(Python 3.0+)

>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> thisset. update ( { 1 , 3 } )
>>> print ( thisset )
{ 1 , 3 , 'Google' , 'Taobao' , 'Runoob' }
>>> thisset. update ( [ 1 , 4 ] , [ 5 , 6 ] )
>>> print ( thisset )
{ 1 , 3 , 4 , 5 , 6 , 'Google' , 'Taobao' , 'Runoob' }
>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> thisset. remove ( "Taobao" )
>>> print ( thisset )
{ 'Google' , 'Runoob' }
>>> thisset. remove ( "Facebook" ) # 不存在会发生错误
Traceback ( most recent call last ) :
File "<stdin>" , line 1 , in < module >
KeyError : 'Facebook'
>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> thisset. discard ( "Facebook" ) # 不存在不会发生错误
>>> print ( thisset )
{ 'Taobao' , 'Google' , 'Runoob' }

我们也可以设置随机删除集合中的一个元素,语法格式如下:

s.pop()

脚本模式实例(Python 3.0+)

thisset = set ( ( "Google" , "Runoob" , "Taobao" , "Facebook" ) )
x = thisset. pop ( )
print ( x )

输出结果:

$ python3 test.py Runoob

多次执行测试结果都不一样。

set 集合的 pop 方法会对集合进行无序的排列,然后将这个无序排列集合的左面第一个元素进行删除。

3、计算集合元素个数

语法格式如下:

len(s)

计算集合 s 元素个数。

实例(Python 3.0+)

>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> len ( thisset )

4、清空集合

语法格式如下:

s.clear()

清空集合 s。

实例(Python 3.0+)

>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> thisset. clear ( )
>>> print ( thisset )
set ( )

5、判断元素是否在集合中存在

语法格式如下:

x in s

判断元素 x 是否在集合 s 中,存在返回 True,不存在返回 False。

实例(Python 3.0+)

>>> thisset = set ( ( "Google" , "Runoob" , "Taobao" ) )
>>> "Runoob" in thisset
>>> "Facebook" in thisset
False
  • #0
  •