python中的删除:remove()、pop()、del

这三种方法都是list的删除方法,其中remove是针对可变列表的元素进行搜索删除,而pop和del是针对可变列表的下标进行搜索删除。具体区别如下:

remove(item)方法是直接对可变序中的元素进行检索删除,返回的是删除后的列表,不返回删除值(返回None),若有重复元素,则按顺序删除第一个

list_1= [1,3,3,4,5]
s = list_1.remove(3)
print(list_1)
print(s)

>>> [1, 3, 4, 5]
>>> None

pop(index)方法是对可变序列中元素下标进行检索删除,返回删除值

list_1= [1,3,3,4,5]
s = list_1.pop(3)
print(list_1)
print(s)

>>> [1, 3, 3, 5]
>>> 4

del(list[index])方法是对可变序列中元素下边进行检索删除,不返回删除值

list_1= [1,3,3,4,5]
del list_1[3]
print(list_1)

>>> [1, 3, 3, 5]

参考链接:

https://blog.csdn.net/xavierri/article/details/78591259

你可能感兴趣的:(python,python)