python阵列列表方法
#初学者 #python #数组

Python具有一组内置方法,您可以在列表/数组中使用。

1) append(elmnt)

在列表末尾添加一个元素

fruits = ['apple', 'banana', 'cherry']
fruits.append('orange')
print(fruits) # ['apple', 'banana', 'cherry', 'orange']

2) clear()

从列表中删除所有元素

fruits = ['apple', 'banana', 'cherry', 'orange']
fruits.clear()
print(fruits) # []

3) copy()

返回列表的副本

fruits = ["apple", "banana", "cherry"]
x = fruits.copy()
print(x) # ['apple', 'banana', 'cherry']

4) count(value)

用指定值返回元素数

arr = [1, 4, 2, 9, 7, 8, 9, 3, 1]
x = arr.count(9)
print(x) # 2

5)扩展(iToser)

将列表的元素(或任何可观的)添加到当前列表的末尾

fruits = ['apple', 'banana', 'cherry']
cars = ['Ford', 'BMW', 'Volvo']
fruits.extend(cars)
print(fruits) # ['apple', 'banana', 'cherry', 'Ford', 'BMW', 'Volvo']

6)索引(elmnt)

带有指定值的第一个元素的索引

numbers = [4, 55, 64, 32, 16, 32]
x = numbers.index(32)
print(x) # 3

7)插入(pos,elmnt)

在指定位置添加一个元素

fruits = ['apple', 'banana', 'cherry']
fruits.insert(1, "orange")
print(fruits) # ['apple', 'orange', 'banana', 'cherry']

8) pop(pos)

在指定位置上删除元素

fruits = ['apple', 'banana', 'cherry']
fruits.pop(1)
print(fruits) # ['apple', 'cherry']

9)删除(elmnt)

用指定值删除第一项

fruits = ['apple', 'banana', 'cherry']
fruits.remove("banana")
print(fruits) # ['apple', 'cherry']

10)反向()

逆转列表的顺序

fruits = ['apple', 'banana', 'cherry']
fruits.reverse()
print(fruits) # ['cherry', 'banana', 'apple']

11)排序(反向= true | false,key = myfunc)

sort()方法默认情况下列表上升。

cars = ['Ford', 'BMW', 'Volvo']
cars.sort()
print(cars) # ['BMW', 'Ford', 'Volvo']

参考: