Python 元组(tuple)是一种不可变的序列类型,用于存储一组有序的数据
my_dict = {('key1', 'key2'): 'value'}
def my_function():
return 1, 2, 3
result = my_function()
print(result) # 输出:(1, 2, 3)
a, b, c = (1, 2, 3)
print(a, b, c) # 输出:1 2 3
squared_tuples = [(x, x**2) for x in range(1, 6)]
print(squared_tuples) # 输出:[(1, 1), (2, 4), (3, 9), (4, 16), (5, 25)]
enumerate()
函数遍历元组:enumerate()
函数可以与元组一起使用,以便在遍历元组时同时获取元素的索引和值。my_tuple = ('apple', 'banana', 'cherry')
for index, value in enumerate(my_tuple):
print(index, value)
zip()
函数将多个元组组合成一个元组:zip()
函数可以将多个元组组合成一个元组,这在需要将相关数据组合在一起时非常有用。tuple1 = (1, 2, 3)
tuple2 = ('a', 'b', 'c')
combined_tuple = tuple(zip(tuple1, tuple2))
print(combined_tuple) # 输出:((1, 'a'), (2, 'b'), (3, 'c'))
*
操作符将元组解包为函数参数:可以使用 *
操作符将元组解包为函数参数,这在需要将元组作为参数传递给函数时非常有用。def my_function(a, b, c):
print(a, b, c)
my_tuple = (1, 2, 3)
my_function(*my_tuple) # 输出:1 2 3
这些技巧可以帮助您更有效地使用 Python 元组,提高代码的可读性和灵活性。