元组

与列表的区别

都是有序的集合

  • 元组不可修改

元组的操作

创建元组

tuple1 = ()
tuple2 = tuple()

基本操作

  • 访问元素
tuplue1 = ('a', 'b', 'c', 'd')
print(tuplue1[0])
# a
  • 修改元素(不允许)
  • 删除元素(不允许)
  • 添加元素(不允许)
  • 删除整个元组
tuplue1 = ('a', 'b', 'c', 'd')
del tuplue1
print(tuplue1)
# NameError: name 'tuplue1' is not defined, 删除成功
  • 元组相加
tuplue1 = ('a', 'b', 'c', 'd')
tuplue2 = (1, 2, 3)

print(tuplue1 + tuplue2)
# ('a', 'b', 'c', 'd', 1, 2, 3)
  • 元组相乘法
tuplue1 = ('a', 'b', 'c', 'd')
print(tuplue1 *3)
# ('a', 'b', 'c', 'd', 'a', 'b', 'c', 'd', 'a', 'b', 'c', 'd')
  • 切片操作
tuplue1 = ('h', 'e', 'l', 'l', 'o', 'w', 'o', 'r', 'l', 'd')
print(tuplue1[0:5])
# ('h', 'e', 'l', 'l', 'o')
  • 成员检测
tuplue1 = ('h', 'e', 'l', 'l', 'o', 'w', 'o', 'r', 'l', 'd')
print('h' in tuplue1) # True
print(1 in tuplue1)  # False

序列函数

  • len() 检测元组的长度
tuplue1 = ('h', 'e', 'l', 'l', 'o', 'w', 'o', 'r', 'l', 'd')
print(len(tuplue1))
# 10 
  • max() & min()
tuple1 = (1, 2, 3, 4, 5, 6, 7, 8, 9, 0)
print(max(tuple1))  # 9
print(min(tuple1))  #  0
  • tuple() 创建空元组 或者 将其他序列转化为元组

  • 遍历

tuple1 = (1, 2, 3, 4, 5, 6, 7, 8, 9, 0)
for item in tuple1:
    print(item)

元组内涵/元组推导式

  • 推导式
tuplue1 = ('h', 'e', 'l', 'l', 'o', 'w', 'o', 'r', 'l', 'd')

t = (i for i in tuplue1)  # 结果为一个生成器
print(next(t)) # h

你可能感兴趣的:(元组)