sum of squares in a list in one line?(一行列表中的平方和?)
问题描述
为了证明我做了某事.这是我的代码总和为三行.
To demonstrate I have done sth. This is my code do sum in three lines.
l=[1,2,3,4,5];
sumOfList=0
for i in l:
sumOfList+=i*i;
print sumOfList
我很好奇我可以只用一行吗?
I am curious can I do it in just one line?
推荐答案
怎么样:
sum(map(lambda x:x*x,l))
我们也使用reduce
:
print reduce(lambda x,y: x+y*y,l) # as pointed by @espang reduce(lambda x,y: x+y*y,l) is only ok, when the first value is 1 (because 1*1 == 1). The first value is not squared
我们可以取第一个元素,得到它的平方,然后将它添加到列表的头部,这样我们就可以确保它是平方的.然后我们继续使用reduce.不值得做所有这些工作,因为我们有更好的选择.
We can take the first element, get its square, then add it to the head of the list so we can make sure that it's squared. Then we continue using reduce. It isn't worth all that work, as we have better alternatives.
reduce(lambda x,y: x+y*y,[l[:1][0]**2]+l[1:])
出于好奇,我尝试比较三种解决方案,将 range
生成的 10000
个数的平方相加,并计算每个操作的执行时间.
Just out of curiosity, I tried to compare the three solutions to sum the squares of 10000
numbers generated by range
, and compute the execution time of every operation.
l=range(10000)
from datetime import datetime
start_time = datetime.now()
print reduce(lambda x,y: x+y*y,l)
print('using Reduce numbers: {}'.format(datetime.now() - start_time))
from datetime import datetime
start_time = datetime.now()
print sum(map(lambda x:x*x,l))
print('Sum after map square operation: {}'.format(datetime.now() - start_time))
from datetime import datetime
start_time = datetime.now()
print sum( i*i for i in l)
print('using list comprehension to sum: {}'.format(datetime.now() - start_time))
输出:
使用 list comprehension
更快
333283335000
using Reduce numbers: 0:00:00.003371
333283335000
Sum after map square operation: 0:00:00.002044
333283335000
using list comprehension to sum: 0:00:00.000916
这篇关于一行列表中的平方和?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:一行列表中的平方和?


基础教程推荐
- 筛选NumPy数组 2022-01-01
- Dask.array.套用_沿_轴:由于额外的元素([1]),使用dask.array的每一行作为另一个函数的输入失败 2022-01-01
- 如何让 python 脚本监听来自另一个脚本的输入 2022-01-01
- Python kivy 入口点 inflateRest2 无法定位 libpng16-16.dll 2022-01-01
- 用于分类数据的跳跃记号标签 2022-01-01
- 在 Python 中,如果我在一个“with"中返回.块,文件还会关闭吗? 2022-01-01
- 线程时出现 msgbox 错误,GUI 块 2022-01-01
- 如何在海运重新绘制中自定义标题和y标签 2022-01-01
- 使用PyInstaller后在Windows中打开可执行文件时出错 2022-01-01
- 何时使用 os.name、sys.platform 或 platform.system? 2022-01-01