When I need to add several identical items to the list I use list.extend:
a = [\'a\', \'b\', \'c\']
a.extend([\'d\']*3)
Result
>>> a = [['a',2], ['b',2], ['c',1]]
>>> sum([[item]*count for item,count in a],[])
['a', 'a', 'b', 'b', 'c']
import operator
a = [['a',2], ['b',2], ['c',1]]
nums = [[x[0]]*x[1] for x in a]
nums = reduce(operator.add, nums)
If you prefer extend over list comprehensions:
a = []
for x, y in l:
a.extend([x]*y)
>>> a = [['a',2], ['b',2], ['c',1]]
>>> [i for i, n in a for k in range(n)]
['a', 'a', 'b', 'b', 'c']
Stacked LCs.
[y for x in a for y in [x[0]] * x[1]]
An itertools approach:
import itertools
def flatten(it):
return itertools.chain.from_iterable(it)
pairs = [['a',2], ['b',2], ['c',1]]
flatten(itertools.repeat(item, times) for (item, times) in pairs)
# ['a', 'a', 'b', 'b', 'c']