删除列表中前N个元素的最有效方法是什么?

时间:2015-11-10 09:23:56

标签: python performance list python-2.7 python-3.x

我需要从Python 2.7中的对象列表中删除前n个元素。有没有使用循环的简单方法?

5 个答案:

答案 0 :(得分:57)

您可以使用列表切片来存档您的目标:

n = 5
mylist = [1,2,3,4,5,6,7,8,9]
newlist = mylist[n:]
print newlist

输出:

[6, 7, 8, 9]

del如果您只想使用一个列表:

n = 5
mylist = [1,2,3,4,5,6,7,8,9]
del mylist[:n]
print mylist

输出:

[6, 7, 8, 9]

答案 1 :(得分:34)

Python列表不是在列表的开头操作,而是在此操作中非常无效。

虽然你可以写

mylist = [1, 2 ,3 ,4]
mylist.pop(0)

非常效率低下。

如果您只想删除列表中的项目,可以使用del

执行此操作
del mylist[:n]

这也很快:

In [34]: %%timeit
help=range(10000)
while help:
    del help[:1000]
   ....:
10000 loops, best of 3: 161 µs per loop

如果您需要从列表的开头获取元素,则应使用Raymond Hettinger的collections.deque及其popleft()方法。

from collections import deque

deque(['f', 'g', 'h', 'i', 'j'])

>>> d.pop()                          # return and remove the rightmost item
'j'
>>> d.popleft()                      # return and remove the leftmost item
'f'

比较:

list + pop(0)

In [30]: %%timeit
   ....: help=range(10000)
   ....: while help:
   ....:     help.pop(0)
   ....:
100 loops, best of 3: 17.9 ms per loop

deque + popleft()

In [33]: %%timeit
help=deque(range(10000))
while help:
    help.popleft()
   ....:
1000 loops, best of 3: 812 µs per loop

答案 2 :(得分:1)

l = [1, 2, 3, 4, 5]
del l[0:3] # Here 3 specifies the number of items to be deleted.

如果要从列表中删除多个项目,则为此代码。你也可以在冒号之前跳过零。它没有那么重要。这也可以。

l = [1, 2, 3, 4, 5]
del l[:3] # Here 3 specifies the number of items to be deleted.

答案 3 :(得分:0)

尝试运行此代码:

del x[:N]

答案 4 :(得分:0)

l = [5,1,4,2,3,6]

将列表从小到大排序

l.sort()

删除列表中的前 2 项

for _ in range(2)
    l.remove(l[0])

打印列表

print(l)