本文对列表间生成的便捷方式进行了探讨和比较。
我的风格是:Code speak louder than words.
Map
>>> def a(x):
... return x * 2
...
>>> map(a, [1,2,3,4,5])
[2, 4, 6, 8, 10]
>>> map(str,[1,2,3,4,5])
['1', '2', '3', '4', '5']
>>>
>>> def caps(name):
... return name.capitalize()
...
>>> def lowers(name):
... return name.lower()
...
>>> map(caps, map(lowers,['adam', 'LISA', 'barT']))
['Adam', 'Lisa', 'Bart']
当然,强大的列表推导式[list comprehension]完全也有此能力:
>>> [e.capitalize() for e in [f.lower() for f in ['adam', 'LISA', 'barT']]]
['Adam', 'Lisa', 'Bart']
map函数的优点在于仅仅是增强了可读性。
列表推导式的局限在于操作涉及到不只一个元素。这时可以使用另外一个内建函数reduce()
reduce
reduce(function, sequence, starting_value)
>>> def add(x, y):
... return x + y
...
>>> reduce(add, [1, 3, 5, 7, 9])
25
>>> reduce(add, range(1, 11))
55
>>> reduce(add, range(1, 11),20)
75
当然可以使用内建函数sum()进行求和。
>>> def fn(x, y):
... return x * 10 + y
...
>>> reduce(fn, [1,3,4,5,6,7])
134567
reduce的局限在于接受的函数参数只能有两个参数,即操作涉及到两个元素的情形。