リストのサブセットを、境界のあるタプルに基づいて特定の値に設定する必要があります(start,end)
。
現在、私はこれを行っています:
indexes = range(bounds[0], bounds[1] + 1)
for i in indexes:
my_list[i] = 'foo'
これは私には良くないようです。もっとpythonicアプローチはありますか?
リストのサブセットを、境界のあるタプルに基づいて特定の値に設定する必要があります(start,end)
。
現在、私はこれを行っています:
indexes = range(bounds[0], bounds[1] + 1)
for i in indexes:
my_list[i] = 'foo'
これは私には良くないようです。もっとpythonicアプローチはありますか?
スライスの割り当てを使用します。
my_list[bounds[0]:bounds[1] + 1] = ['foo'] * ((bounds[1] + 1) - bounds[0])
または、ローカル変数を使用して+ 1
一度だけ追加します。
lower, upper = bounds
upper += 1
my_list[lower:upper] = ['foo'] * (upper - lower)
上限を非包括的として保存し、Python をより適切に使用してすべての+ 1
カウントを回避することをお勧めします。
デモ:
>>> my_list = range(10)
>>> bounds = (2, 5)
>>> my_list[bounds[0]:bounds[1] + 1] = ['foo'] * ((bounds[1] + 1) - bounds[0])
>>> my_list
[0, 1, 'foo', 'foo', 'foo', 'foo', 6, 7, 8, 9]
>>> L = list("qwerty")
>>> L
['q', 'w', 'e', 'r', 't', 'y']
>>> L[2:4] = ["foo"] * (4-2)
>>> L
['q', 'w', 'foo', 'foo', 't', 'y']
これは、@MartijnPietersが使用するソリューションのより効率的なバージョンです。itertools.repeat
import itertools
lower, upper = bounds
upper += 1
my_list[lower:upper] = itertools.repeat('foo', (upper - lower))