I have a list with numbers:
numbers = [1, 2, 3, 4]
.
I would like to have a list where they repeat n
times like so (for n = 3
):
[1, 1, 1, 2, 2, 2, 3, 3, 3, 4, 4, 4]
.
The problem is that I would like to only use itertools
for this, since I am very constrained in performance.
I tried to use this expression:
list(itertools.chain.from_iterable(itertools.repeat(numbers, 3)))
But it gives me this kind of result:
[1, 2, 3, 4, 1, 2, 3, 4, 1, 2, 3, 4]
which is obviously not what I need.
Is there a way to do this with itertools
only, without using sorting, loops and list comprehensions? The closest I could get is:
list(itertools.chain.from_iterable([itertools.repeat(i, 3) for i in numbers]))
,
but it also uses list comprehension, which I would like to avoid.
Firstly, using functions from itertools
won't necessarily be faster than a list comprehension: you should benchmark.
Pure list comprehension approach:
>>> numbers = [1, 2, 3, 4]
>>> [y for x in numbers for y in (x,)*3]
[1, 1, 1, 2, 2, 2, 3, 3, 3, 4, 4, 4]
Using chain.from_iterable()
with repeat()
in a generator expression:
>>> from itertools import chain, repeat
>>> list(chain.from_iterable(repeat(n, 3) for n in numbers))
[1, 1, 1, 2, 2, 2, 3, 3, 3, 4, 4, 4]
Using chain.from_iterable()
and zip()
:
>>> from itertools import chain
>>> list(chain.from_iterable(zip(*(numbers,)*3)))
[1, 1, 1, 2, 2, 2, 3, 3, 3, 4, 4, 4]
Since you don't want to use list comprehension, following is a pure (+zip
) itertools
method to do it -
from itertools import chain, repeat
list(chain.from_iterable(zip(*repeat(numbers, 3))))
# [1, 1, 1, 2, 2, 2, 3, 3, 3, 4, 4, 4]
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With