讲讲python中的列表
时间: 2023-10-11 17:09:25 浏览: 103
python之列表详细讲解.pdf
Python中的列表是一种有序的可变序列结构,可以存储任意类型的数据,包括数字、字符串、列表、元组、字典等。它的语法为用方括号[]括起来的一组元素,每个元素之间用逗号隔开。
创建列表:
```python
lst = [1, 2, 3, 4, 5]
```
访问列表元素:
```python
lst[0] # 1
lst[-1] # 5
```
修改列表元素:
```python
lst[0] = "a"
```
删除列表元素:
```python
del lst[0]
```
添加元素到列表末尾:
```python
lst.append(6)
```
插入元素到列表指定位置:
```python
lst.insert(2, "b")
```
删除列表末尾元素:
```python
lst.pop()
```
删除列表指定位置元素:
```python
lst.pop(2)
```
获取列表长度:
```python
len(lst)
```
判断元素是否在列表中:
```python
2 in lst
```
遍历列表:
```python
for item in lst:
print(item)
```
列表还支持切片操作,可以通过切片操作获取列表的子集。例如:
```python
lst[1:3] # [2, 3]
lst[:3] # [1, 2, 3]
lst[3:] # [4, 5]
```
阅读全文