Python 元组定义与使用

定义:

元组(Tuple):不可变的容器。

元组与列表的主要区别在于元组的元素不能被修改,即元组是不可变的,而列表是可变的。

元组使用圆括号(())表示。

使用:

"""
example037 - Python 元组定义与使用

Author: 不在同一频道上的呆子
Date: 2024/1/28
"""
# 创建
colors = ('red',)  # 创建单个元组需要在后面加个逗号,否则会默认为普通数据
colors1 = ('red', 'yellow', 'blue')
print(colors1)

# 重复运算
print(colors1 * 2)

# 成员运算
print('red' in colors1)
print('purple' in colors1)

# 合并运算
colors2 = ('green', 'purple')
colors3 = colors1 + colors2
print(colors3)

# 索引和切片
print(colors3[4], colors[-1])

# TypeError:'tuple' object does not support item assignment
# colors3[4] = 'pink'

print(colors3[1:4])
print(colors3[1:4:2])
print(colors3[::-1])

# TypeError: 'tuple' object doesn't support item deletion
# del colors3[0]

print(colors3.index('red'))
print(colors3.count('red'))

# AttributeError: 'tuple' object has no attribute 'append'
# colors3.append('pink')

你可能感兴趣的:(python,开发语言)