按增量增加所有列表值

时间:2013-06-09 01:25:46

标签: python

我想我有一个白痴时刻,

我有一份清单 我需要为每个数字添加170

    list1[1,2,3,4,5,6,7,8......]

    list2[171,172,173......]

2 个答案:

答案 0 :(得分:21)

具体答案

使用列表推导:

In [2]: list1 = [1,2,3,4,5,6]

In [3]: [x+170 for x in list1]
Out[3]: [171, 172, 173, 174, 175, 176]

使用map

In [5]: map(lambda x: x+170, list1)
Out[5]: [171, 172, 173, 174, 175, 176]

原来,列表理解速度是原来的两倍:

$ python -m timeit 'list1=[1,2,3,4,5,6]' '[x+170 for x in list1]'
1000000 loops, best of 3: 0.793 usec per loop
$ python -m timeit 'list1=[1,2,3,4,5,6]' 'map(lambda x: x+170, list1)'
1000000 loops, best of 3: 1.74 usec per loop

一些基准测试

在@mgilson发布关于numpy的评论之后,我想知道它是如何叠加的。我发现对于短于50个元素的列表,列表推导更快,但numpy更快。

benchmarks

答案 1 :(得分:2)

incremented_list = [x+170 for x in original_list]