Posted in Python onFebruary 27, 2019
本文实例讲述了Python list列表中删除多个重复元素操作。分享给大家供大家参考,具体如下:
我们以下面这个list为例,删除其中所有值为6的元素:
l=[9,6,5,6,6,7,8,9,6,0]
首先尝试remove方法:
l.remove(6) print(l)
结果为:[9, 5, 6, 6, 7, 8, 9, 6, 0]
,只删除了第一个为6的元素。
如果采用for循环遍历各元素:
for x in l: if x == 6: l.remove(x)
结果为[9, 5, 7, 8, 9, 6, 0]
,后面的6没有删除。主要因为remove改变了list长度和每一个元素的位置。
采用del语句需要找到元素对应下标del l[1]。应用for循环改变下标比较混乱,所以使用while循环:
length=len(l) x=0 while x < length: if l[x] == 6: # l.remove(l[x]) del l[x] x -= 1 length -= 1 x += 1
结果为[9, 5, 7, 8, 9, 0]
,删除了列表中所有的6。另外将del l[x]
改为l.remove(l[x])
也可以。
Python list列表中删除多个重复元素操作示例
- Author -
tomato_guo声明:登载此文出于传递更多信息之目的,并不意味着赞同其观点或证实其描述。
Reply on: @reply_date@
@reply_contents@