a = [3, 4, 5, 3, 3, 4, 5, 3, 4, 3, 5]
# 0. 边遍历边删除列表里的元素的弊端
a1 = a.copy()
for i in a1:
# print(i)
if i == 3 or i == 4:
a1.remove(i)
print(a1) # [5, 4, 5, 4, 3, 5]
当遍历第一个元素时,删除了下标为0的元素,当遍历下标为1的元素时,后面的元素会向前移动一个位置,就是元素2移动到了原来元素1的位置,但是此时已经准备删除下标为1的元素,这样就将元素2跳过去了,以此类推
# 1. 遍历一个列表,去删拷贝的列表
b = a.copy()
for i in a:
if i == 3 or i == 4:
b.remove(i)
print(b)
# 2. 使用while True
c = a.copy()
i = len(c)-1
while i >= 0:
j = c[i]
if j == 3 or j == 4:
c.remove(j)
i -= 1
print(c)
# 3. 使用另外一个列表l记录要删除的元素,然后再遍历l,使用remove去删除元素
l = []
d = a.copy()
for i in d:
if i == 3 or i== 4:
l.append(i)
for i in l:
d.remove(i)
print(d)
# 4. 从后往前遍历去删除
e = a.copy()
for i in range(len(e)-1, -1, -1):
j = e[i]
if j == 3 or j == 4:
e.remove(e[i])
print(e)
|
|