一、创建
- 创建空元组
tup1 = () - 元组中的个数没有限制,元素的类型可以不同(Python中的任意类型)
- 元组中只包含一个元素时,需要在元素后面添加逗号 ,否则括号会被当作运算符使用:
tup1 = (测试,)
二、访问元组
元组可以使用下标索引来访问元组中的值
tup1 = ('Google', 'Runoob', 2021, 2000,["测试1","测试2"])
tup2 = (1, 2, 3, 4, 5, 6, 7)
print("tup1[0]: ", tup1[0])
print("tup1[-1]: ", tup1[-1])
print("tup2[1:5]: ", tup2[1:5])
运行结果:
tup1[0]: Google
tup1[-1]: ['测试1', '测试2']
tup2[1:5]: (2, 3, 4, 5)
Process finished with exit code 0
三、修改元组
- 元组属于不可变序列,不能对它的单个元素值进行修改;但是我们可以对元组进行重新赋值
tuple1 = ("淘宝","京东")
print("旧元组",tuple1)
tuple1 = ("淘宝","京东","拼多多")
print("新元组",tuple1)
旧元组 ('淘宝', '京东')
新元组 ('淘宝', '京东', '拼多多')
Process finished with exit code 0
- 如果元组中的子元素是可变对象时,子列表的值是可以修改的
tuple3=(11,22,[33,99])
tuple3[-1][-1]=66
print(tuple3)
tuple1 = ("淘宝","京东")
tuple2 = ("拼多多","唯品会")
print("新元组",tuple1+tuple2)
新元组 ('淘宝', '京东', '拼多多', '唯品会')
Process finished with exit code 0
四、删除元组
元组中的元素值是不允许删除的,但我们可以使用del语句来删除整个元组 del 元组名称 说明: del语句在实际应用中,并不常用。因为Python自带的垃圾回收机制会自动销毁不用的元组,所以即使我们不手动将其删除,Python也会自动将其回收。
五、元组切片
与列表的切片用法类似
六、遍历元组
- for循环遍历元素
tuple1 = ("淘宝","京东","拼多多","唯品会")
for one in tuple1:
print(one)
淘宝
京东
拼多多
唯品会
Process finished with exit code 0
- for循环和enumerate()函数结合
tuple1 = ("淘宝","京东","拼多多","唯品会")
for index,item in enumerate(tuple1):
print(index,item)
0 淘宝
1 京东
2 拼多多
3 唯品会
Process finished with exit code 0
七、元组推导式
与列表推导式类似
a = (x for x in range(1,10))
print(a)
<generator object <genexpr> at 0x000002A12C532350>
Process finished with exit code 0
从上面的执行结果可以看出,使用元组推导式生成的结果并不是一个元组,而是一个生成器对象,这一点和列表推导式是不同的。 如果我们想要使用元组推导式获得新元组或新元组中的元素,有以下三种方式:
- 使用 tuple() 函数,直接将生成器对象转换成元组
a = (x for x in range(1,10))
print(tuple(a))
运行结果为:
(1, 2, 3, 4, 5, 6, 7, 8, 9)
Process finished with exit code 0
- 使用 for 循环遍历生成器对象,获得各个元素
a = (x for x in range(1,10))
for i in a:
print(i,end=' ')
print(tuple(a))
运行结果为:
1 2 3 4 5 6 7 8 9 ()
Process finished with exit code 0
- 使用 next() 方法遍历生成器对象,获得各个元素
a = (x for x in range(3))
print(a.__next__())
print(a.__next__())
print(a.__next__())
a = tuple(a)
print("转换后的元组:",a)
运行结果为:
0
1
2
转换后的元组: ()
Process finished with exit code 0
八、元组内置函数
方法及描述 | 实例 |
---|
len(tuple)计算元组元素个数。 | tuple1 = (‘Google’, ‘Runoob’, ‘Taobao’) print(len(tuple1)) >>>3 | max(tuple)返回元组中元素最大值。 | tuple2 = (5, 4, 8) max(tuple2) >>> 8 | min(tuple)返回元组中元素最小值。 | tuple2 = (5, 4, 8) min(tuple2) >>> 4 | tuple(iterable)将可迭代系列转换为元组。 | list1= [‘Google’, ‘Taobao’, ‘Runoob’, ‘Baidu’] tuple1=tuple(list1) print(tuple1) >>>(‘Google’, ‘Taobao’, ‘Runoob’, ‘Baidu’) |
|