Python Data Structure 简明教程
Python - Tuples
元组是一个不可变Python对象的序列。元组是序列,就像列表一样。元组和列表之间的区别在于,元组不能像列表一样更改,并且元组使用括号,而列表使用方括号。
创建元组就像放置不同的逗号分隔值一样简单。您也可以选择将这些逗号分隔值放在括号中。
For example
tup1 = ('physics', 'chemistry', 1997, 2000);
tup2 = (1, 2, 3, 4, 5 );
tup3 = "a", "b", "c", "d";
空元组写成不包含任何内容的两个圆括号——
tup1 = ();
即使只有一个值,为了写一个包含一个值的元组,你也必须包含一个逗号——
tup1 = (50,);
像字符串索引一样,元组索引从0开始,可以对它们进行切片、连接等。
Updating Tuples
元组是不可变的,这意味着你不能更新或更改元组元素的值。你可以采用现有元组的一部分来创建新的元组,如下例所示——
#!/usr/bin/python
tup1 = (12, 34.56);
tup2 = ('abc', 'xyz');
# Following action is not valid for tuples
# tup1[0] = 100;
# So let's create a new tuple as follows
tup3 = tup1 + tup2;
print (tup3);
执行上述代码后,将生成以下结果 −
(12, 34.56, 'abc', 'xyz')
Delete Tuple Elements
移除单个元组元素是不可能的。当然,将不想要的元素放在一起,然后组合成元组是没有问题的。
要显式删除整个元组,只需使用 del 语句。
For example
#!/usr/bin/python
tup = ('physics', 'chemistry', 1997, 2000);
print (tup);
del tup;
print ("After deleting tup : ");
print (tup);
-
Note −引发异常,这是因为在 del tup 之后,元组不再存在。
这会产生以下结果:
('physics', 'chemistry', 1997, 2000)
After deleting tup :
Traceback (most recent call last):
File "test.py", line 9, in <module>
print tup;
NameError: name 'tup' is not defined
Basic Tuples Operations
元组对+和*运算符的响应与字符串非常相似;它们在这里也表示连接和重复,只是结果是一个新的元组,而不是字符串。
事实上,元组响应我们在前一章中对字符串执行的所有通用序列操作。
Python Expression |
Results |
Description |
len1, 2, 3 |
3 |
Length |
(1, 2, 3) + (4, 5, 6) |
(1, 2, 3, 4, 5, 6) |
Concatenation |
('Hi!',) * 4 |
('Hi!', 'Hi!', 'Hi!', 'Hi!') |
Repetition |
3 in (1, 2, 3) |
True |
Membership |
for x in (1, 2, 3): print x, |
1 2 3 |
Iteration |