Note
This tutorial was generated from an IPython notebook that can be downloaded here.
A gentle introduction to Gaussian Process Regression¶
This notebook was made with the following version of george:
import george
george.__version__
'1.0.0.dev0'
We’ll start by generating some fake data (from a sinusoidal model) with error bars:
import numpy as np
import matplotlib.pyplot as pl
np.random.seed(1234)
x = 10 * np.sort(np.random.rand(15))
yerr = 0.2 * np.ones_like(x)
y = np.sin(x) + yerr * np.random.randn(len(x))
pl.errorbar(x, y, yerr=yerr, fmt=".k", capsize=0)
pl.xlim(0, 10)
pl.ylim(-1.45, 1.45)
pl.xlabel("x")
pl.ylabel("y");
Now, we’ll choose a kernel (covariance) function to model these data, assume a zero mean model, and predict the function values across the full range. The full kernel specification language is documented here but here’s an example for this dataset:
from george import kernels
kernel = np.var(y) * kernels.ExpSquaredKernel(0.5)
gp = george.GP(kernel)
gp.compute(x, yerr)
x_pred = np.linspace(0, 10, 500)
pred, pred_var = gp.predict(y, x_pred, return_var=True)
pl.fill_between(x_pred, pred - np.sqrt(pred_var), pred + np.sqrt(pred_var),
color="k", alpha=0.2)
pl.plot(x_pred, pred, "k", lw=1.5, alpha=0.5)
pl.errorbar(x, y, yerr=yerr, fmt=".k", capsize=0)
pl.plot(x_pred, np.sin(x_pred), "--g")
pl.xlim(0, 10)
pl.ylim(-1.45, 1.45)
pl.xlabel("x")
pl.ylabel("y");
The gp
model provides a handler for computing the marginalized
likelihood of the data under this model:
print("Initial ln-likelihood: {0:.2f}".format(gp.lnlikelihood(y)))
Initial ln-likelihood: -11.82
So we can use this—combined with scipy’s minimize function—to fit for the maximum likelihood parameters:
from scipy.optimize import minimize
def neg_ln_like(p):
gp.set_vector(p)
return -gp.lnlikelihood(y)
def grad_neg_ln_like(p):
gp.set_vector(p)
return -gp.grad_lnlikelihood(y)
result = minimize(neg_ln_like, gp.get_vector(), jac=grad_neg_ln_like)
print(result)
gp.set_vector(result.x)
print("\nFinal ln-likelihood: {0:.2f}".format(gp.lnlikelihood(y)))
status: 0
success: True
njev: 10
nfev: 10
hess_inv: array([[ 0.53470696, 0.31341863],
[ 0.31341863, 0.40382934]])
fun: 9.225282556049551
x: array([-0.48730368, 0.60407505])
message: 'Optimization terminated successfully.'
jac: array([ 7.47945958e-06, -8.00286213e-06])
Final ln-likelihood: -9.23
And plot the maximum likelihood model:
pred, pred_var = gp.predict(y, x_pred, return_var=True)
pl.fill_between(x_pred, pred - np.sqrt(pred_var), pred + np.sqrt(pred_var),
color="k", alpha=0.2)
pl.plot(x_pred, pred, "k", lw=1.5, alpha=0.5)
pl.errorbar(x, y, yerr=yerr, fmt=".k", capsize=0)
pl.plot(x_pred, np.sin(x_pred), "--g")
pl.xlim(0, 10)
pl.ylim(-1.45, 1.45)
pl.xlabel("x")
pl.ylabel("y");
And there you have it! Read on to see what else you can do with george or just dive right into your own problem.
Finally, don’t forget Rasmussen & Williams, the reference for everything Gaussian Process.