搞懂Python数组的基本操作
数组只能够保存相同类型的元素,而列表存放的元素类型不受限制,可以是任何类型。
数组和列表提供的操作方法基本一致,都有append,insert,pop extend,index等操作方法。
对全是数字类型的元素操作中,数组的操作效率比列表要快很多。
animal = ['cat', 'dog', 'pig', 'cow']
print(animal)
['cat', 'dog', 'pig', 'cow']
animal = ['cat', 'dog', 'pig', 'cow']
x = animal[0]
animal[1] = 'lion'
print(x) print(animal[1])
cat
lion
animal = ['cat', 'dog', 'pig', 'cow']
x = len(animal)
print(x)
4
animal = ['cat', 'dog', 'pig', 'cow']
for x in animal:
print(x)
cat
dog
pig
cow
animal = ['cat', 'dog', 'pig', 'cow']
animal.append('wolf') # 追加元素,添加到末尾
print(animal)
animal.pop(1) # 删除第2个元素
print(animal)
animal.remove('cat') # 根据元素值进行删除
print(animal)
animal.insert(0, 'cat') # 在第一个元素后插入cat
print(animal)
cat, dog, pig, cow , wolf
cat, pig, cow , wolf
pig, cow , wolf
cat, pig, cow , wolf
序号 | 方法 |
1 | list.append(obj) 在列表末尾添加新的对象 |
2 | list.count(obj) 统计某个元素在列表中出现的次数 |
3 | list.extend(seq) 在列表末尾一次性追加另一个序列中的多个值(用新列表扩展原来的列表) |
4 | list.index(obj) 从列表中找出某个值第一个匹配项的索引位置 |
5 | list.insert(index, obj) 将对象插入列表 |
6 | list.pop([index=-1]) 移除列表中的一个元素(默认最后一个元素),并且返回该元素的值 |
7 | list.remove(obj) 移除列表中某个值的第一个匹配项 |
8 | list.reverse() 反向列表中元素 |
9 | list.sort( key=None, reverse=False) 对原列表进行排序 |
10 | list.clear() 清空列表 |
11 | list.copy() 复制列表 |