如何使用map或reduce函数在Python中压缩列表?

时间:2013-10-09 07:41:32

标签: python algorithm python-2.7

我想在下面的规则中压缩Python中的列表:

['a', 'a', 'a', 'b', 'b', 'c']  ->  [3, 2, 1]

我想在Python中使用内置的map / reduce函数,如何制作它?

谢谢!

1 个答案:

答案 0 :(得分:4)

使用itertools.groupby

>>> import itertools
>>> [len(list(grp)) for key, grp in itertools.groupby(['a', 'a', 'a', 'b', 'b', 'c'])]
[3, 2, 1]
>>> [sum(1 for _ in grp) for key, grp in itertools.groupby(['a', 'a', 'a', 'b', 'b', 'c'])]
[3, 2, 1]

使用mapreduce

>>> import operator
>>>
>>> def f(result, item):
...     if result and result[-1][0] == item:
...         return result[:-1] + [[item, result[-1][1]+1]]
...     else:
...         return result + [[item, 1]]
...
>>> map(operator.itemgetter(1), reduce(f, ['a', 'a', 'a', 'b', 'b', 'c'], []))
[3, 2, 1]