有没有办法在python中求解耦合微分方程组?

时间:2013-06-04 04:22:28

标签: python numpy scipy enthought sympy

我一直在研究sympy和scipy,但找不到或弄清楚如何求解耦合微分方程组(非线性,一阶)。

那么有没有办法解决耦合微分方程?

方程的形式如下:

V11'(s) = -12*v12(s)**2
v22'(s) = 12*v12(s)**2
v12'(s) = 6*v11(s)*v12(s) - 6*v12(s)*v22(s) - 36*v12(s)

具有v11(s),v22(s),v12(s)的初始条件。

2 个答案:

答案 0 :(得分:12)

对于带有scipy的ODE的数值解,请参阅函数scipy.integrate.odeint或类scipy.integrate.ode

SciPy Cookbook中给出了一些例子(向下滚动到“常微分方程”部分)。

答案 1 :(得分:2)

除了已经提到的SciPy方法odeintode之外,它现在有solve_ivp,它更新,通常更方便。一个完整的示例,将[v11, v22, v12]编码为数组v

from scipy.integrate import solve_ivp
def rhs(s, v): 
    return [-12*v[2]**2, 12*v[2]**2, 6*v[0]*v[2] - 6*v[2]*v[1] - 36*v[2]]
res = solve_ivp(rhs, (0, 0.1), [2, 3, 4])

这将在(0, 0.1)间隔内以初始值[2, 3, 4]解决系统问题。结果将自变量(在您的符号中为s)设为res.t

array([ 0.        ,  0.01410735,  0.03114023,  0.04650042,  0.06204205,
        0.07758368,  0.0931253 ,  0.1       ])

自动选择这些值。可以提供t_eval以在期望的点评估解决方案:例如,t_eval=np.linspace(0, 0.1)

因变量(我们正在寻找的功能)位于res.y

array([[ 2.        ,  0.54560138,  0.2400736 ,  0.20555144,  0.2006393 ,
         0.19995753,  0.1998629 ,  0.1998538 ],
       [ 3.        ,  4.45439862,  4.7599264 ,  4.79444856,  4.7993607 ,
         4.80004247,  4.8001371 ,  4.8001462 ],
       [ 4.        ,  1.89500744,  0.65818761,  0.24868116,  0.09268216,
         0.0345318 ,  0.01286543,  0.00830872]])

使用Matplotlib,此解决方案被绘制为plt.plot(res.t, res.y.T)(如果我提到t_eval,情节会更顺畅。)

plot of solution

最后,如果系统涉及的顺序高于1的方程式,则需要使用reduction to a 1st order system