I want to fit a curve to the ODE shown below-
dA/dt = k1*profit + k2
I have the observed time series of the variables A
and profit
and I would like to get the optimal values of k1
and k2
using a curve fitting technique in python. I am able to write the code below for that, but the solutions do not fit well, or maybe my approach is wrong.
import numpy as np
from scipy.optimize import curve_fit
from scipy.integrate import odeint
def fitfunc(t, k1, k2):
'Function that returns A computed from an ODE for k1 and k2'
def myode(area, t):
profit = get_profit(t)
return k1*profit + k2
A0 = 200000 #initial value of A
out = odeint(myode, A0, t)
return out[:,0]
k_fit, kcov = curve_fit(fitfunc, time_span, obs_A) #time span from 1999-2019 and obs_A is the observed values of A
modeled_A = fitfunc(time_span, k_fit[0], k_fit[1])
The profit and obs_A data for the 20 year period is:
profit = [ 7.65976374e+06, -6.13172279e+06, 1.03946093e+07, 2.59937877e+06,
-7.88358386e+06, -1.38918115e+04, -3.13403157e+06, -4.74348806e+06,
1.87296164e+07, 4.13680709e+07, -1.77191198e+07, 2.39249499e+06,
1.38521564e+07, 6.52548348e+07, -5.78102494e+07, -5.72469988e+07,
-5.99056006e+06, -1.72424523e+07, 1.78509987e+07, 9.27860105e+06,
-9.96709853e+06]
obs_A = [200000., 165000., 150000., 180000., 190000., 195000., 200000.,
165000., 280000., 235000., 250000., 250000., 250000., 295000.,
295000., 285000., 245000., 315000., 235000., 245000., 305000.]
time_span = np.arange(1999,2020)
Here get_profit
is a function that outputs the value of profit at a given t
, its created using interpolating the observed profit
data, as below-
profit_fun = interp1d(t, profit.values, 1, fill_value="extrapolate")
def get_profit(t):
return profit_fin(t)
I am not sure about how to use the profit
variables here as it changes at each time step. Is my approach correct?