Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add optional GCV calculation #67

Open
wants to merge 3 commits into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
75 changes: 68 additions & 7 deletions csaps/_sspumv.py
Original file line number Diff line number Diff line change
Expand Up @@ -49,6 +49,14 @@ def order(self) -> int:
def pieces(self) -> int:
return self.c.shape[1]

@property
def gcv(self) -> float:
return self.gcv

@property
def degrees_of_freedom(self) -> float:
return self.degrees_of_freedom

@property
def ndim(self) -> int:
"""Returns the number of spline dimensions
Expand Down Expand Up @@ -79,6 +87,9 @@ def __repr__(self): # pragma: no cover
f' pieces: {self.pieces}\n'
f' order: {self.order}\n'
f' ndim: {self.ndim}\n'
f' degrees of freedom: {self.degrees_of_freedom}\n'
f' gcv: {self.gcv}\n'

)


Expand Down Expand Up @@ -121,6 +132,20 @@ class CubicSmoothingSpline(ISmoothingSpline[

.. versionadded:: 1.1.0

calculate_degrees_of_freedom : [*Optional*] bool
If True, the degrees of freedom for the spline will be calculated and set as a property on the returned
spline object. Typically the degrees of freedom may be used to calculate the Generalized Cross Validation
criterion. The GCV can be minimized to attempt to identify an optimal smoothing parameter, while penalizing
over fitting.
Strictly speaking this involves generating splines for all smoothing parameter values across the valid domain
of the smoothing parameter [0,1] then selecting the smoothing parameter that produces the lowest GCV. See
[GCV in TEOSL (page 244 section 7.52)](https://hastie.su.domains/ElemStatLearn/printings/ESLII_print12_toc.pdf)
for more information on methodology.
The simplest way to use the GCV is to setup a loop that generates a spline with your data at every step, a step
size of 0.001 is generally sufficient, and keep track of the spline that produces the lowest GCV. Setting this
parameter to True, does _not_ generate the lowest GCV, it simply sets the neccesary dependencies to use the
calculate_gcv function. You must still compute the GCV for each smoothing parameter.

"""

__module__ = 'csaps'
Expand All @@ -131,12 +156,14 @@ def __init__(self,
weights: Optional[UnivariateDataType] = None,
smooth: Optional[float] = None,
axis: int = -1,
normalizedsmooth: bool = False):
normalizedsmooth: bool = False,
calculate_degrees_of_freedom: bool = False):

x, y, w, shape, axis = self._prepare_data(xdata, ydata, weights, axis)
coeffs, smooth = self._make_spline(x, y, w, smooth, shape, normalizedsmooth)
coeffs, smooth, degrees_of_freedom = self._make_spline(x, y, w, smooth, shape, normalizedsmooth, calculate_degrees_of_freedom)
spline = SplinePPForm.construct_fast(coeffs, x, axis=axis)

self.degrees_of_freedom = degrees_of_freedom
self.gcv = None
self._smooth = smooth
self._spline = spline

Expand Down Expand Up @@ -196,6 +223,33 @@ def spline(self) -> SplinePPForm:
"""
return self._spline

def compute_gcv(self, y, y_pred) -> float:
"""Computes the GCV using the degrees of freedom, which must be computed upon spline creation

Parameters
----------

y : 1-d array-like
Points the spline was evaluated at

y_pred : 1-d array-like
Predicted values returned from the generated spline object

Returns
-------
gcv : float
The generalized cross validation criterion


"""
if not self.degrees_of_freedom:
raise ValueError("You must recreate the spline with the calculate_degrees_of_freedom parameter set to True")

y = np.asarray(y, dtype=np.float64)
y_pred = np.asarray(y_pred, dtype=np.float64)
self.gcv: float = np.linalg.norm(y-y_pred)**2 / (y.size - self.degrees_of_freedom)**2
return self.gcv

@staticmethod
def _prepare_data(xdata, ydata, weights, axis):
xdata = np.asarray(xdata, dtype=np.float64)
Expand Down Expand Up @@ -261,7 +315,7 @@ def _normalize_smooth(x: np.ndarray, w: np.ndarray, smooth: Optional[float]):
return p

@staticmethod
def _make_spline(x, y, w, smooth, shape, normalizedsmooth):
def _make_spline(x, y, w, smooth, shape, normalizedsmooth, calculate_degrees_of_freedom):
pcount = x.size
dx = np.diff(x)

Expand Down Expand Up @@ -291,8 +345,9 @@ def _make_spline(x, y, w, smooth, shape, normalizedsmooth):
diags_qtw = np.vstack((dx_recip[:-1], -(dx_recip[1:] + dx_recip[:-1]), dx_recip[1:]))
diags_sqrw_recip = 1. / np.sqrt(w)

qtw = (sp.diags(diags_qtw, [0, 1, 2], (pcount - 2, pcount)) @
sp.diags(diags_sqrw_recip, 0, (pcount, pcount)))
# Calculate and store qt separately, so we can use it later to calculate the degrees of freedom for the gcv
qt = sp.diags(diags_qtw, [0, 1, 2], (pcount - 2, pcount))
qtw = (qt @ sp.diags(diags_sqrw_recip, 0, (pcount, pcount)))
qtw = qtw @ qtw.T

p = smooth
Expand Down Expand Up @@ -335,4 +390,10 @@ def _make_spline(x, y, w, smooth, shape, normalizedsmooth):
c_shape = (4, pcount - 1) + shape[1:]
c = np.vstack((c1, c2, c3, c4)).reshape(c_shape)

return c, p
# As calculating the GCV is a relatively expensive operation, we store the degrees of freedom
# required for the GCV calculation
if calculate_degrees_of_freedom:
degrees_of_freedom = p * (la.inv(p * w + ((1-p) * 6 * qt.T @ la.inv(r) @ qt)) @ w).trace()
return c, p, degrees_of_freedom
else:
return c, p, None