首页 > 编程 > Python > 正文

跟老齐学Python之有点简约的元组

2020-02-23 05:49:50
字体:
来源:转载
供稿:网友

关于元组,上一讲中涉及到了这个名词。本讲完整地讲述它。

先看一个例子:

>>>#变量引用str>>> s = "abc">>> s'abc'>>>#如果这样写,就会是...>>> t = 123,'abc',["come","here"]>>> t(123, 'abc', ['come', 'here'])

上面例子中看到的变量t,并没有报错,也没有“最后一个有效”,而是将对象做为一个新的数据类型:tuple(元组),赋值给了变量t。

元组是用圆括号括起来的,其中的元素之间用逗号隔开。(都是英文半角)

tuple是一种序列类型的数据,这点上跟list/str类似。它的特点就是其中的元素不能更改,这点上跟list不同,倒是跟str类似;它的元素又可以是任何类型的数据,这点上跟list相同,但不同于str。

>>> t = 1,"23",[123,"abc"],("python","learn")  #元素多样性,近list>>> t(1, '23', [123, 'abc'], ('python', 'learn'))>>> t[0] = 8                  #不能原地修改,近strTraceback (most recent call last): File "<stdin>", line 1, in <module>TypeError: 'tuple' object does not support item assignment>>> t.append("no") Traceback (most recent call last): File "<stdin>", line 1, in <module>AttributeError: 'tuple' object has no attribute 'append'  >>> 

从上面的简单比较似乎可以认为,tuple就是一个融合了部分list和部分str属性的杂交产物。此言有理。

像list那样访问元素和切片

先复习list中的一点知识:

>>> one_list = ["python","qiwsir","github","io"]>>> one_list[2]'github'>>> one_list[1:]     ['qiwsir', 'github', 'io']>>> for word in one_list:...   print word... pythonqiwsirgithubio>>> len(one_list)4

下面再实验一下,上面的list如果换成tuple是否可行

>>> t(1, '23', [123, 'abc'], ('python', 'learn'))>>> t[2][123, 'abc']>>> t[1:]('23', [123, 'abc'], ('python', 'learn'))>>> for every in t:...   print every... 123[123, 'abc']('python', 'learn')>>> len(t)4>>> t[2][0]   #还能这样呀,哦对了,list中也能这样123>>> t[3][1]'learn'

所有在list中可以修改list的方法,在tuple中,都失效。

分别用list()和tuple()能够实现两者的转化:

>>> t     (1, '23', [123, 'abc'], ('python', 'learn'))>>> tls = list(t)              #tuple-->list>>> tls[1, '23', [123, 'abc'], ('python', 'learn')]>>> t_tuple = tuple(tls)          #list-->tuple>>> t_tuple(1, '23', [123, 'abc'], ('python', 'learn'))

tuple用在哪里?

既然它是list和str的杂合,它有什么用途呢?不是用list和str都可以了吗?

发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表