脚本之家,脚本语言编程技术及教程分享平台!
分类导航

Python|VBS|Ruby|Lua|perl|VBA|Golang|PowerShell|Erlang|autoit|Dos|bat|

服务器之家 - 脚本之家 - Python - python 集合set中 add与update区别介绍

python 集合set中 add与update区别介绍

2021-09-18 00:16Loewi大湿 Python

这篇文章主要介绍了python 集合set中 add与update区别介绍,具有很好的参考价值,希望对大家有所帮助。一起跟随小编过来看看吧

集合set是一个无序不重复元素的集

?
1
2
3
4
set(['hello','hello','hi'])
# {'hello', 'hi'}
set('hello hello hi')
# {' ', 'e', 'h', 'i', 'l', 'o'}

set.add() 与set.update()的区别

?
1
2
3
4
5
6
7
8
9
myset1 = set()
myset1.add('hello')
#{'hello'}
myset1.update('world')
#{'d', 'hello', 'l', 'o', 'r', 'w'}
myset2 = set()
myset2.add('123')
myset2.update('123')
#{'1', '123', '2', '3'}

补充:在python中的set操作中添加vs更新

如果我只想在集合中添加单个值,那么在python中添加和更新操作之间有什么区别.

?
1
2
3
4
5
a = set()
a.update([1]) #works
a.add(1) #works
a.update([1,2])#works
a.add([1,2])#fails

有人可以解释为什么会这样.

解决方法

?
1
set.add

set.add将一个单独的元素添加到集合中.所以,

?
1
2
3
4
>>> a = set()
>>> a.add(1)
>>> a
set([1])

可以工作,但它不能与iterable一起使用,除非它是可以清除的.这就是为什么a.add([1,2])失败的原因.

?
1
2
3
4
>>> a.add([1, 2])
Traceback (most recent call last):
 File "<input>", line 1, in <module>
TypeError: unhashable type: 'list'

这里,[1,2]被视为被添加到集合中的元素,并且如错误消息所示,a list cannot be hashed但是集合的所有元素都应该是hashables.引用documentation,

Return a new set or frozenset object whose elements are taken from iterable. The elements of a set must be 07003.

set.update

在set.update的情况下,您可以向其传递多个迭代,它将迭代所有迭代,并将包括集合中的各个元素.记住:它只能接受迭代.这就是为什么当您尝试使用1更新它时收到错误的原因

?
1
2
3
4
>>> a.update(1)
Traceback (most recent call last):
 File "<input>", line 1, in <module>
TypeError: 'int' object is not iterable

但是,以下方法可行,因为列表[1]被迭代并且列表的元素被添加到集合中.

?
1
2
3
>>> a.update([1])
>>> a
set([1])

set.update基本上等同于就地集合并操作.考虑以下情况

?
1
2
3
4
>>> set([1, 2]) | set([3, 4]) | set([1, 3])
set([1, 2, 3, 4])
>>> set([1, 2]) | set(range(3, 5)) | set(i for i in range(1, 5) if i % 2 == 1)
set([1, 2, 3, 4])

在这里,我们显式地将所有迭代转换为集合,然后我们找到了union.有多个中间集和联合.在这种情况下,set.update可以作为一个很好的帮助函数.既然它接受任何可迭代的,你就可以做到

?
1
2
3
>>> a.update([1, 2], range(3, 5), (i for i in range(1, 5) if i % 2 == 1))
>>> a
set([1, 2, 3, 4])

以上为个人经验,希望能给大家一个参考,也希望大家多多支持服务器之家。如有错误或未考虑完全的地方,望不吝赐教。

原文链接:https://blog.csdn.net/weixin_42317507/article/details/91583349

延伸 · 阅读

精彩推荐