How to solve complex matrix differential equations using solve_ivp?

♀尐吖头ヾ 提交于 2021-02-08 11:37:07

问题


I want to solve a complex matrix differential equation y' = Ay.

import numpy as np
from scipy.integrate import solve_ivp


def deriv(y, t, A):
    return np.dot(A, y)


A = np.array([[-0.25 + 0.14j,    0,    0.33 + 0.44j],
              [ 0.25 + 0.58j, -0.2 + 0.14j,    0],
              [    0,  0.2 + 0.4j, -0.1 + 0.97j]])

time = np.linspace(0, 25, 101)
y0 = np.array([[2, 3, 4], [5, 6 , 7], [9, 34, 78]])

result = solve_ivp(deriv, y0, time, args=(A,))

There already seems to be an answer in case of 'odeint'. https://stackoverflow.com/a/45970853/7952027

https://stackoverflow.com/a/26320130/7952027

https://stackoverflow.com/a/26747232/7952027

https://stackoverflow.com/a/26582411/7952027

I am curious as to whether it can be done with any of the new API of Scipy?


回答1:


I have updated your snippet, have a look below. You should carefully check the doc as, I believe, everything is well detailed there.

import numpy as np
from scipy.integrate import solve_ivp


def deriv_vec(t, y):
    return A @ y


def deriv_mat(t, y):
    return (A @ y.reshape(3, 3)).flatten()


A = np.array([[-0.25 + 0.14j, 0, 0.33 + 0.44j],
              [0.25 + 0.58j, -0.2 + 0.14j, 0],
              [0, 0.2 + 0.4j, -0.1 + 0.97j]])

result = solve_ivp(deriv_vec, [0, 25], np.array([10 + 0j, 20 + 0j, 30 + 0j]),
                   t_eval=np.linspace(0, 25, 101))
print(result.y[:, 0])
# [10.+0.j 20.+0.j 30.+0.j]
print(result.y[:, -1])
# [18.46+45.25j 10.01+36.23j -4.98+80.07j]

y0 = np.array([[2 + 0j, 3 + 0j, 4 + 0j],
               [5 + 0j, 6 + 0j, 7 + 0j],
               [9 + 0j, 34 + 0j, 78 + 0j]])
result = solve_ivp(deriv_mat, [0, 25], y0.flatten(),
                   t_eval=np.linspace(0, 25, 101))
print(result.y[:, 0].reshape(3, 3))
# [[ 2.+0.j  3.+0.j  4.+0.j]
#  [ 5.+0.j  6.+0.j  7.+0.j]
#  [ 9.+0.j 34.+0.j 78.+0.j]]
print(result.y[:, -1].reshape(3, 3))
# [[ 5.67+12.07j 17.28+31.03j 37.83+63.25j]
#  [ 3.39+11.82j 21.32+44.88j 53.17+103.80j]
#  [ -2.26+22.19j -15.12+70.191j -38.34+153.29j]]


来源:https://stackoverflow.com/questions/65793457/how-to-solve-complex-matrix-differential-equations-using-solve-ivp

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!