我怎么写这段代码
def Serie_a(n):
Serie_a = []
m=0
for i in [1..n]:
m = m + 1/i
Serie_a.append(m)
print Serie_a
以理解列表的形式?
答案 0 :(得分:4)
当前,您无法编写像您的for
循环一样容易阅读的列表理解。而是使用itertools.accumulate
。
>>> list(accumulate(range(1,11), lambda acc, x: acc + 1/x))
[1, 1.5, 1.8333333333333333, 2.083333333333333, 2.283333333333333, 2.4499999999999997, 2.5928571428571425, 2.7178571428571425, 2.8289682539682537, 2.9289682539682538]
在Python 3.8中,assignment expressions将允许您编写
% ./python.exe
Python 3.8.0a2 (tags/v3.8.0a2:23f4589b4b, Mar 18 2019, 15:16:44)
[Clang 10.0.0 (clang-1000.11.45.5)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> m = 0
>>> [m := m + 1/x for x in range(1,11)]
[1.0, 1.5, 1.8333333333333333, 2.083333333333333, 2.283333333333333, 2.4499999999999997, 2.5928571428571425, 2.7178571428571425, 2.8289682539682537, 2.9289682539682538]
请注意,m
需要先进行初始化,然后才能在列表推导中使用。