Fitting Function in SciPy#
import numpy as np
import matplotlib.pyplot as plt
from scipy import optimize
# make up some experimental data
a0 = 2.5
a1 = 2./3.
sigma = 4.0
N = 25
x = np.linspace(0.0, 4.0, N)
r = sigma * np.random.randn(N)
y = a0 * np.exp(a1 * x) + r
yerr = np.abs(r)
fig, ax = plt.subplots()
ax.errorbar(x, y, yerr=yerr, fmt="o")
<ErrorbarContainer object of 3 artists>
data:image/s3,"s3://crabby-images/3c0b8/3c0b861ef46b216d4d3702de96ff673d5ce52e9a" alt="../_images/2f902ea91023f395483e917dc71523917c2d9cb224742734ddd8574da0e87e40.png"
def resid(avec, x, y, yerr):
""" the residual function -- this is what will be minimized by the
scipy.optimize.leastsq() routine. avec is the parameters we
are optimizing -- they are packed in here, so we unpack to
begin. (x, y) are the data points
scipy.optimize.leastsq() minimizes:
x = arg min(sum(func(y)**2,axis=0))
y
so this should just be the distance from a point to the curve,
and it will square it and sum over the points
"""
a0, a1 = avec
# note: if we wanted to deal with error bars, we would weight each
# residual accordingly
return (y - a0 * np.exp(a1 * x)) / yerr
# initial guesses
a0 = 0.5
a1 = 0.5
# fit -- here the args is a tuple of objects that will be added to the
# argument lists for the function to be minimized (resid in our case)
afit, flag = optimize.leastsq(resid, [a0, a1], args=(x, y, yerr))
print(flag)
print(afit)
1
[2.33299035 0.69108036]
ax.plot(x, afit[0] * np.exp(afit[1] * x))
fig
data:image/s3,"s3://crabby-images/440e8/440e80e6133e94802a449c1b9bd36fe51691d73f" alt="../_images/f725d3c318697fba786e55485f2c5e4af566ea327de06ea60b070d9802bfe69b.png"