Python 2.7のオブジェクトのリストから最初のn個の要素を削除する必要があります。ループを使用せずに簡単な方法はありますか?
リストスライスを使用して、目標をアーカイブできます。
n = 5
mylist = [1,2,3,4,5,6,7,8,9]
newlist = mylist[n:]
print newlist
出力:
[6, 7, 8, 9]
または、1つのリストのみを使用する場合はdel
:
n = 5
mylist = [1,2,3,4,5,6,7,8,9]
del mylist[:n]
print mylist
出力:
[6, 7, 8, 9]
Pythonリストはリストの先頭で動作するように作られておらず、この動作では非常に効果がありません。
書きながら
mylist = [1, 2 ,3 ,4]
mylist.pop(0)
それはvery非効率的です。
リストから項目のみを削除する場合は、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'
比較:
In [30]: %%timeit
....: help=range(10000)
....: while help:
....: help.pop(0)
....:
100 loops, best of 3: 17.9 ms per loop
In [33]: %%timeit
help=deque(range(10000))
while help:
help.popleft()
....:
1000 loops, best of 3: 812 µs per loop
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.
このコードを実行してみてください:
del x[:N]