使用list和tuple

发布于:2024-05-16 ⋅ 阅读:(59) ⋅ 点赞:(0)
  • list
    list是有序集合,可以随时添加和删除其中元素
>>> classmates = ['Michael', 'Bob', 'Tracy']
>>> classmates
['Michael', 'Bob', 'Tracy']

len()查看list元素个数:

>>> len(classmates)
3

索引访问从0开始:

>>> classmates[0]
'Michael'
>>> classmates[1]
'Bob'
>>> classmates[2]
'Tracy'
>>> classmates[3]
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
IndexError: list index out of range

最后一个元素len(classmates) - 1,还可以用-1

>>> classmates[-1]
'Tracy'
>>> classmates[-2]
'Bob'
>>> classmates[-3]
'Michael'
>>> classmates[-4]
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
IndexError: list index out of range

append()往list追加元素到末尾:

>>> classmates.append('Adam')
>>> classmates
['Michael', 'Bob', 'Tracy', 'Adam']

insert()把元素插入到指定位置:

>>> classmates.insert(1, 'Jack')
>>> classmates
['Michael', 'Jack', 'Bob', 'Tracy', 'Adam']

pop()删除list末尾的元素:

>>> classmates.pop()
'Adam'
>>> classmates
['Michael', 'Jack', 'Bob', 'Tracy']

pop(i)删除指定位置的元素,i是索引位置:

>>> classmates.pop(1)
'Jack'
>>> classmates
['Michael', 'Bob', 'Tracy']

替换元素可以直接赋值给对应的索引位置:

>>> classmates[1] = 'Sarah'
>>> classmates
['Michael', 'Sarah', 'Tracy']

list里的元素类型可以不同:

>>> L = ['Apple', 123, True]
>>> L
['Apple', 123, True]

list元素也可以是另一个list:

>>> s = ['python', 'java', ['asp', 'php'], 'scheme']
>>> len(s)
4

拆开写:

>>> p = ['asp', 'php']
>>> s = ['python', 'java', p, 'scheme']

要拿到php可以写:p[1]s[2][1]:

>>> p[1]
'php'
>>> s[2][1]
'php'

空list长度为0:

>>> L = []
>>> len(L)
0
  • tuple
    tuple和list非常类似,也是有序列表,但是tuple一旦初始化就不能修改:
>>> classmates = ('Michael', 'Bob', 'Tracy')

classmates这个tuple不能变了,因为不能变,所以更安全,如果可能,能用tuple代替list就尽量用tuple。
tuple的陷阱:定义一个tuple时,定义的时候tuple的元素就必须确定下来:

>>> t = (1, 2)
>>> t
(1, 2)

定义空的tuple:

>>> t = ()
>>> t
()

但是如果这么写,Python规定,这种情况按小括号计算,而不是tuple:

>>> t = (1)
>>> t
1

所以,只有1个元素的tuple定义时必须加一个逗号,,来消除歧义:

>>> t = (1,)
>>> t
(1,)

Python在显示只有1个元素的tuple时,也会加一个逗号,,以免你误解成数学计算意义上的括号。
“可变的”tuple:

>>> t = ('a', 'b', ['A', 'B'])
>>> t[2][0] = 'X'
>>> t[2][1] = 'Y'
>>> t
('a', 'b', ['X', 'Y'])

变的不是tuple的元素,而是list的元素,tuple指向的list并没有变成别的list,但是list指向的元素变了
(Python 本身是高层次的、面向对象的编程语言,它隐藏了内存管理和指针操作的细节,以减少程序员的负担并避免内存管理错误。因此,在 Python 中,你通常不需要手动解引用变量。)
所以,tuple所谓的“不变”是指,每个元素指向永远不变,但是指向的list是可变的,因此,要创建一个内容也不变的tuple就需要保证tuple的每一个元素本身也不能变。
练习:

# -*- coding: utf-8 -*-

L = [
    ['Apple', 'Google', 'Microsoft'],
    ['Java', 'Python', 'Ruby', 'PHP'],
    ['Adam', 'Bart', 'Lisa']
]

# 打印Apple
print(L[0][0])
# 打印Python
print(L[1][1])
# 打印Lisa
print(L[2][2])
Apple
Python
Lisa

参考自:https://www.liaoxuefeng.com/