- 什么是元组
- 元组的创建方式
- 元组的遍历
1什么是元组
2元组的创建方式
#第一种创建方式使用()
a=('你好', 'python', 5)
print(a)
print(type(a))
#第二种创建方式,使用内置函数tuple()
b=tuple(('你好', 'python', 5))
print(b)
print(type(b))
#如果元组中只有一个元素那么是它原来的类型,若想要改为元组类型要加入逗号或小括号
c=('sturggule',)
print(c)
print(type(c))
#空列表
i=[]
i1=list()
#空字典
h={}
h1=dict()
#空元组
t=()
g=tuple()
print('空列表', i, i1)
print('空列表', h, h1)
print('空列表', t, g)
------------------------------------------------------------------------------------------------------------------------------
t=(10, [20, 30], 9)
print(t)
print(type(t))
print(t[0], type([0]), id([0]))
print(t[1], type([1]), id([1]))
print(t[2], type([2]), id([2]))
#尝试将t[]修改为100
print(id(100))
#t[1]=100#元组是不允许修改元素的
#由于[20, 30]列表,而列表是可变序列,所以可以向列中添加元素,而列表的内存地址不变
t[1].append(100)#向列表添加元素
print(t, id(t[1]))
元组的遍历
#元组的遍历
#第一种获取方式,使用索引
t=(10, [20, 30], 9)
print(t[0])
print(t[1])
print(t[2])
#print(t[3]) 因为不存在所以会出现这样 IndexError: tuple index out of range
#历遍元组
for item in t:
print(item)