I have this set of experimental data:
x_data = np.array([0, 2, 5, 10, 15, 30, 60, 120])
y_data = np.array([1.00, 0.71, 0.41, 0.31, 0.29, 0.36, 0.26, 0.35])
t = np.linspace(min(x_data), max(x_data), 151)
I want to fit them with a curve that follows an exponential behaviour for t < t_lim
and a linear behaviour for t > t_lim
, where t_lim
is a value that i can set as i want. I want to use curve_fit
to find the best fit. I would like to find the best fit meeting these two conditions:
- The end point of the first behaviour (exponential) must be the starting point of the second behaviour (linear): in other words, I don't want the jump discontinuity in the middle.
- I would like the second behaviour (linear) to be descending.
I solved in this way:
t_lim = 15
def y(t, k, m, q):
return np.concatenate((np.exp(-k*t)[t<t_lim], (m*t + q)[t>=t_lim]))
popt, pcov = curve_fit(y, x_data, y_data, p0=[0.5, -0.005, 0.005])
y_model = y(t, k_opt, m_opt, q_opt)
I obtain this kind of curve: chart_plot
I don't know how to tell python to find the best values of m, k, q
that meet the two conditions (no jump discontinuity, and m < 0
)
Instead of trying to add these conditions as explicit constraints, I'd go about modifying the form of
y
so that these conditions are always satisfied.For example, try replacing
m
with-m**2
. That way, the coefficient in the linear part will always be negative.For the continuity condition, how about this: For an exponential with a given decay factor and a linear curve with a given slope which are supposed to meet at a given
t_lim
there's only exactly one value forq
that will satisfy that condition. You can explicitly compute that value and just plug that in.Basically,
q
won't be a fit parameter anymore; instead, inside ofy
, you'd compute the correctq
value based onk, m, t_lim
.