定义
- 由一系列变量组成的不可变序列容器。
- 不可变是指一但创建,不可以再添加/删除/修改元素.
列表:预留空间 元组:按需分配
基础操作
- 创建空元组:
元组名 = () 元组名 = tuple()
tuple01 = (4, 54, 5, 6, 7)
list01 = [3, 4, 5, 6]
tuple02 = tuple(list01)
list02 = list(tuple01)
print(list02)
print(tuple02)
- 创建非空元组:
元组名 = (20,) 元组名 = (1, 2, 3) 元组名 = 100,200,300 元组名 = tuple(可迭代对象)
tuple03 = (10)
print(type(tuple03))
tuple03 = (10,)
print(type(tuple03))
- 获取元素:
变量 = 元组名[索引] 变量 = 元组名[切片] # 赋值给变量的是切片所创建的新列表
tuple04 = ("无忌", "悟空")
name01, name02 = tuple04
- 遍历元组:
正向: for 变量名 in 列表名: 变量名就是元素 反向: for 索引名 in range(len(列表名)-1,-1,-1): 元组名[索引名]就是元素
print(tuple04[0])
print(tuple04[:2])
for item in tuple04:
print(item)
for i in range(len(tuple04) - 1, -1, -1):
print(tuple04[i])
作用
- 元组与列表都可以存储一系列变量,由于列表会预留内存空间,所以可以增加元素。
- 元组会按需分配内存,所以如果变量数量固定,建议使用元组,因为占用空间更小。
- 应用:
变量交换的本质就是创建元组:x, y = (y, x ) 格式化字符串的本质就是创建元祖:“姓名:%s, 年龄:%d” % (“tarena”, 15)
month = int(input("请输入月份:"))
day = int(input("请输入天:"))
days_of_month = (31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31)
total_day = sum(days_of_month[:month - 1])
total_day += day
print(total_day)
|