1).元组(Tuple)
元组是有序且不可更改的集合。在 Python 中,元组是用圆括号编写的。
实例
创建元组:
thistuple = ("apple", "banana", "cherry") print(thistuple)
访问元组项目
您可以通过引用方括号内的索引号来访问元组项目:
实例
打印元组中的第二个项目:
thistuple = ("apple", "banana", "cherry") print(thistuple[1])
更改元组值
创建元组后,您将无法更改其值。元组是不可变的,或者也称为恒定的。
但是有一种解决方法。您可以将元组转换为列表,更改列表,然后将列表转换回元组。
实例
把元组转换为列表即可进行更改:
x = ("apple", "banana", "cherry") y = list(x) y[1] = "kiwi" x = tuple(y) print(x)
遍历元组
您可以使用 for 循环遍历元组项目。
实例
遍历项目并打印值:
thistuple = ("apple", "banana", "cherry") for x in thistuple: print(x)
要确定元组中是否存在指定的项,请使用 in 关键字(这里没有提到not in):
实例
检查元组中是否存在 "apple":
thistuple = ("apple", "banana", "cherry") if "apple" in thistuple: print("Yes, 'apple' is in the fruits tuple")
添加项目
元组一旦创建,您就无法向其添加项目。元组是不可改变的。
实例
您无法向元组添加项目:
thistuple = ("apple", "banana", "cherry") thistuple[3] = "orange" # 会引发错误 print(thistuple)
创建有一个项目的元组
如需创建仅包含一个项目的元组,您必须在该项目后添加一个逗号,否则 Python 无法将变量识别为元组。
实例
单项元组,别忘了逗号:
thistuple = ("apple",) print(type(thistuple)) #不是元组 thistuple = ("apple") print(type(thistuple))
删除项目
注释:您无法删除元组中的项目。
元组是不可更改的,因此您无法从中删除项目,但您可以完全删除元组:
实例
del 关键字可以完全删除元组:
thistuple = ("apple", "banana", "cherry") del thistuple print(thistuple) # 这会引发错误,因为元组已不存在。
合并两个元组
如需连接两个或多个元组,您可以使用 + 运算符:
实例
合并这个元组:
tuple1 = ("a", "b" , "c") tuple2 = (1, 2, 3) tuple3 = tuple1 + tuple2 print(tuple3)
tuple() 构造函数
也可以使用 tuple() 构造函数来创建元组。
实例
使用 tuple() 方法来创建元组:
thistuple = tuple(("apple", "banana", "cherry")) # 请注意双括号 print(thistuple)
元组方法
Python 提供两个可以在元组上使用的内建方法。
方法 | 描述 |
---|---|
count() | 返回元组中指定值出现的次数。 |
index() | 在元组中搜索指定的值并返回它被找到的位置。 |
2).集合(Set)
集合是无序和无索引的集合。在 Python 中,集合用花括号编写。
实例
创建集合:
thisset = {"apple", "banana", "cherry"} print(thisset)
注释:集合是无序的,因此您无法确定项目的显示顺序。
访问项目
您无法通过引用索引来访问 set 中的项目,因为 set 是无序的,项目没有索引。
但是您可以使用 for 循环遍历 set 项目,或者使用 in 关键字查询集合中是否存在指定值。
实例
遍历集合,并打印值:
thisset = {"apple", "banana", "cherry"} for x in thisset: print(x)
更改项目
集合一旦创建,您就无法更改项目,但是您可以添加新项目。
添加项目
要将一个项添加到集合,请使用 add() 方法。
要向集合中添加多个项目,请使用 update() 方法。
实例
使用 add() 方法向 set 添加项目:
thisset = {"apple", "banana", "cherry"} thisset.add("orange") #方法内直接用字符串即可 print(thisset) #{'cherry', 'banana', 'orange', 'apple'} 第一次 #{'cherry', 'apple', 'banana', 'orange'}第二次
实例
使用 update() 方法将多个项添加到集合中:
thisset = {"apple", "banana", "cherry"} th