对具有额外参数的函数使用scipysolve_ivp

时间:2018-12-18 21:29:44

标签: python scipy differential-equations

我正在尝试使用solve_ivp解决初始值问题。问题是我的函数f(x,y)= dy / dx包含额外的参数。我试图用这个:

Pass args for solve_ivp (new SciPy ODE API)

但是它总是给我错误。这是代码:

from numpy import arange
import math
import numpy as np
from scipy.integrate import solve_ivp
from numpy import pi

sigmav = 1.0e-9
Mpl = 1.22e19
ms=100.0
gg=100.0
gs=106.75

def Yeq(x):
    return 0.145*(gg/gs)*(x)**(3/2)*np.exp(-x)

def ss(x,m_dm):
    return (2/45)*((pi)**2)*gs*(m_dm**3/x**3)

def hubb(x,m_dm):
    return 1.66*(gg**(1/2))*(m_dm**2/Mpl)*(1/x**2)

def derivada(x,yl,m_dm,σv):
    return -(σv*ss(x,m_dm)*((yl**2)-(Yeq(x)**2)))/(x*hubb(x,m_dm))


xx=np.logspace(np.log10(3),3,100)
y00 = Yeq(xx[0])
x00 = xx[0] 
sigmav = 1.7475e-9
ms=100.0

solucion1 = solve_ivp(fun=lambda x, y: derivada(x, y, args=(ms,sigmav),[np.min(xx),np.max(xx)],[y00],method='BDF',rtol=1e-10,atol=1e-10))

当我尝试为solucion1运行单元时,它将返回以下内容:

File "<ipython-input-17-afcf6c3782a9>", line 6
solucion1 = solve_ivp(fun=lambda x, y: derivada(x, y, args=(ms,sigmav),[np.min(xx),np.max(xx)],[y00],method='BDF',rtol=1e-10,atol=1e-10))
                                                                      ^
SyntaxError: positional argument follows keyword argument

这一定很简单,但是我刚开始使用python,所以请帮我。

3 个答案:

答案 0 :(得分:1)

您只是将右括号放错了位置。由于derivada没有命名的args,因此删除那里的args语句,lambda表达式已经绑定了这些附加参数。另外,传递的函数也不是命名参数

solucion1 = solve_ivp(lambda x, y: derivada(x, y, ms, sigmav),[np.min(xx),np.max(xx)], [y00], method='BDF', rtol=1e-10, atol=1e-10)

或您在github讨论中引用的形式,其中参数列表在其他位置构造

args = ( ms, sigmav )

solucion1 = solve_ivp(lambda x, y: derivada(x, y, *args),[np.min(xx),np.max(xx)], [y00], method='BDF', rtol=1e-10, atol=1e-10)

答案 1 :(得分:1)

此问题已在SciPy 1.4+中解决。

https://github.com/scipy/scipy/issues/8352#issuecomment-619243137

您应该能够像使用odeint一样向函数添加额外的参数,不需要lambda函数。我认为这就是您想要的解决方案

solucion1 = solve_ivp(fun=derivada,
                  t_span=[np.min(xx),np.max(xx)],
                  y0=[y00],
                  args=(ms,sigmav),
                  method='BDF',
                  rtol=1e-10,
                  atol=1e-10)

答案 2 :(得分:0)

错误消息给出了答案:所有位置参数必须在关键字参数之前出现。对于您的情况,建议您使用partial

from functools import partial

f = partial(derivada, m_dm=ms, σv=sigmav)
solucion1 = solve_ivp(f, [np.min(xx),np.max(xx)],[y00],method='BDF',rtol=1e-10,atol=1e-10)