Non-linear Modeling

In this lab, we re-analyze the Wage data considered in the examples throughout this chapter, in order to illustrate the fact that many of the complex non-linear fitting procedures discussed can be easily implemented in R. We begin by loading the ISLR2 library, which contains the data.

library(ISLR2)
## Error in library(ISLR2): there is no package called 'ISLR2'
attach(Wage)
## Error: object 'Wage' not found

Polynomial Regression and Step Functions

We now examine how Figure 7.1 was produced. We first fit the model using the following command:

fit <- lm(wage ~ poly(age, 4), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
coef(summary(fit))
## Error: object 'fit' not found

This syntax fits a linear model, using the lm() function, in order to predict wage using a fourth-degree polynomial in age: poly(age, 4). The poly() command allows us to avoid having to write out a long formula with powers of age. The function returns a matrix whose columns are a basis of orthogonal polynomials, which essentially means that each column is a linear combination of the variables age, age^2, age^3 and age^4.

However, we can also use poly() to obtain age, age^2, age^3 and age^4 directly, if we prefer. We can do this by using the raw = TRUE argument to the poly() function. Later we see that this does not affect the model in a meaningful way—though the choice of basis clearly affects the coefficient estimates, it does not affect the fitted values obtained.

fit2 <- lm(wage ~ poly(age, 4, raw = T), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
coef(summary(fit2))
## Error: object 'fit2' not found

There are several other equivalent ways of fitting this model, which showcase the flexibility of the formula language in R. For example

fit2a <- lm(wage ~ age + I(age^2) + I(age^3) + I(age^4),
    data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
coef(fit2a)
## Error: object 'fit2a' not found

This simply creates the polynomial basis functions on the fly, taking care to protect terms like age^2 via the wrapper function I() (the ^ symbol has a special meaning in formulas).

fit2b <- lm(wage ~ cbind(age, age^2, age^3, age^4),
    data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found

This does the same more compactly, using the cbind() function for building a matrix from a collection of vectors; any function call such as cbind() inside a formula also serves as a wrapper.

We now create a grid of values for age at which we want predictions, and then call the generic predict() function, specifying that we want standard errors as well.

agelims <- range(age)
## Error: object 'age' not found
age.grid <- seq(from = agelims[1], to = agelims[2])
## Error: object 'agelims' not found
preds <- predict(fit, newdata = list(age = age.grid),
    se = TRUE)
## Error: object 'fit' not found
se.bands <- cbind(preds$fit + 2 * preds$se.fit,
    preds$fit - 2 * preds$se.fit)
## Error: object 'preds' not found

Finally, we plot the data and add the fit from the degree-4 polynomial.

par(mfrow = c(1, 2), mar = c(4.5, 4.5, 1, 1),
    oma = c(0, 0, 4, 0))
plot(age, wage, xlim = agelims, cex = .5, col = "darkgrey")
## Error: object 'age' not found
title("Degree-4 Polynomial", outer = T)
## Error in title("Degree-4 Polynomial", outer = T): plot.new has not been called yet
lines(age.grid, preds$fit, lwd = 2, col = "blue")
## Error: object 'age.grid' not found
matlines(age.grid, se.bands, lwd = 1, col = "blue", lty = 3)
## Error: object 'age.grid' not found

Here the mar and oma arguments to par() allow us to control the margins of the plot, and the title() function creates a figure title that spans both subplots.

We mentioned earlier that whether or not an orthogonal set of basis functions is produced in the poly() function will not affect the model obtained in a meaningful way. What do we mean by this? The fitted values obtained in either case are identical:

preds2 <- predict(fit2, newdata = list(age = age.grid),
    se = TRUE)
## Error: object 'fit2' not found
max(abs(preds$fit - preds2$fit))
## Error: object 'preds' not found

In performing a polynomial regression we must decide on the degree of the polynomial to use. One way to do this is by using hypothesis tests. We now fit models ranging from linear to a degree-5 polynomial and seek to determine the simplest model which is sufficient to explain the relationship between wage and age. We use the anova() function, which performs an analysis of variance (ANOVA, using an F-test) in order to test the null hypothesis that a model \(M_1\) is sufficient to explain the data against the alternative hypothesis that a more complex model \(M_2\) is required. In order to use the anova() function, \(M_1\) and \(M_2\) must be nested models: the predictors in \(M_1\) must be a subset of the predictors in \(M_2\). In this case, we fit five different models and sequentially compare the simpler model to the more complex model.

fit.1 <- lm(wage ~ age, data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.2 <- lm(wage ~ poly(age, 2), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.3 <- lm(wage ~ poly(age, 3), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.4 <- lm(wage ~ poly(age, 4), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.5 <- lm(wage ~ poly(age, 5), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
anova(fit.1, fit.2, fit.3, fit.4, fit.5)
## Error: object 'fit.1' not found

The p-value comparing the linear Model 1 to the quadratic Model 2 is essentially zero (\(<\)\(10^{-15}\)), indicating that a linear fit is not sufficient. Similarly the p-value comparing the quadratic Model 2 to the cubic Model 3 is very low (\(0.0017\)), so the quadratic fit is also insufficient. The p-value comparing the cubic and degree-4 polynomials, Model 3 and Model 4, is approximately \(5 \%\) while the degree-5 polynomial Model 5 seems unnecessary because its p-value is \(0.37\). Hence, either a cubic or a quartic polynomial appear to provide a reasonable fit to the data, but lower- or higher-order models are not justified.

In this case, instead of using the anova() function, we could have obtained these p-values more succinctly by exploiting the fact that poly() creates orthogonal polynomials.

coef(summary(fit.5))
## Error: object 'fit.5' not found

Notice that the p-values are the same, and in fact the square of the \(t\)-statistics are equal to the F-statistics from the anova() function; for example:

(-11.983)^2
## [1] 143.5923

However, the ANOVA method works whether or not we used orthogonal polynomials; it also works when we have other terms in the model as well. For example, we can use anova() to compare these three models:

fit.1 <- lm(wage ~ education + age, data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.2 <- lm(wage ~ education + poly(age, 2), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit.3 <- lm(wage ~ education + poly(age, 3), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
anova(fit.1, fit.2, fit.3)
## Error: object 'fit.1' not found

As an alternative to using hypothesis tests and ANOVA, we could choose the polynomial degree using cross-validation, as discussed in Chapter 5.

Next we consider the task of predicting whether an individual earns more than $\(250{,}000\) per year. We proceed much as before, except that first we create the appropriate response vector, and then apply the glm() function using family = "binomial" in order to fit a polynomial logistic regression model.

fit <- glm(I(wage > 250) ~ poly(age, 4), data = Wage,
    family = binomial)
## Error in eval(mf, parent.frame()): object 'Wage' not found

Note that we again use the wrapper I() to create this binary response variable on the fly. The expression wage > 250 evaluates to a logical variable containing TRUEs and FALSEs, which glm() coerces to binary by setting the TRUEs to 1 and the FALSEs to 0.

Once again, we make predictions using the predict() function.

preds <- predict(fit, newdata = list(age = age.grid), se = T)
## Error: object 'fit' not found

However, calculating the confidence intervals is slightly more involved than in the linear regression case. The default prediction type for a glm() model is type = "link", which is what we use here. This means we get predictions for the logit, or log-odds: that is, we have fit a model of the form \[ \log\left(\frac{\Pr(Y=1|X)}{1-\Pr(Y=1|X)}\right)=X\beta, \] and the predictions given are of the form \(X\hat\beta\). The standard errors given are also for \(X \hat\beta\). In order to obtain confidence intervals for \(\Pr(Y=1|X)\), we use the transformation \[ \Pr(Y=1|X)=\frac{\exp(X\beta)}{1+\exp(X\beta)}. \]

pfit <- exp(preds$fit) / (1 + exp(preds$fit))
## Error: object 'preds' not found
se.bands.logit <- cbind(preds$fit + 2 * preds$se.fit,
    preds$fit - 2 * preds$se.fit)
## Error: object 'preds' not found
se.bands <- exp(se.bands.logit) / (1 + exp(se.bands.logit))
## Error: object 'se.bands.logit' not found

Note that we could have directly computed the probabilities by selecting the type = "response" option in the predict() function.

preds <- predict(fit, newdata = list(age = age.grid),
    type = "response", se = T)
## Error: object 'fit' not found

However, the corresponding confidence intervals would not have been sensible because we would end up with negative probabilities!

Finally, the right-hand plot from Figure 7.1 was made as follows:

plot(age, I(wage > 250), xlim = agelims, type = "n",
    ylim = c(0, .2))
## Error: object 'age' not found
points(jitter(age), I((wage > 250) / 5), cex = .5, pch = "|", col = "darkgrey")
## Error: object 'age' not found
lines(age.grid, pfit, lwd = 2, col = "blue")
## Error: object 'age.grid' not found
matlines(age.grid, se.bands, lwd = 1, col = "blue", lty = 3)
## Error: object 'age.grid' not found

We have drawn the age values corresponding to the observations with wage values above \(250\) as gray marks on the top of the plot, and those with wage values below \(250\) are shown as gray marks on the bottom of the plot. We used the jitter() function to jitter the age values a bit so that observations with the same age value do not cover each other up. This is often called a rug plot.

In order to fit a step function, as discussed in Section 7.2, we use the cut() function.

table(cut(age, 4))
## Error: object 'age' not found
fit <- lm(wage ~ cut(age, 4), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
coef(summary(fit))
## Error: object 'fit' not found

Here cut() automatically picked the cutpoints at \(33.5\), \(49\), and \(64.5\) years of age. We could also have specified our own cutpoints directly using the breaks option. The function cut() returns an ordered categorical variable; the lm() function then creates a set of dummy variables for use in the regression. The age < 33.5 category is left out, so the intercept coefficient of $\(94{,}160\) can be interpreted as the average salary for those under \(33.5\) years of age, and the other coefficients can be interpreted as the average additional salary for those in the other age groups. We can produce predictions and plots just as we did in the case of the polynomial fit.

In order to fit regression splines in R, we use the splines library. In Section 7.4, we saw that regression splines can be fit by constructing an appropriate matrix of basis functions. The bs() function generates the entire matrix of basis functions for splines with the specified set of knots. By default, cubic splines are produced. Fitting wage to age using a regression spline is simple:

library(splines)
fit <- lm(wage ~ bs(age, knots = c(25, 40, 60)), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
pred <- predict(fit, newdata = list(age = age.grid), se = T)
## Error: object 'fit' not found
plot(age, wage, col = "gray")
## Error: object 'age' not found
lines(age.grid, pred$fit, lwd = 2)
## Error: object 'age.grid' not found
lines(age.grid, pred$fit + 2 * pred$se, lty = "dashed")
## Error: object 'age.grid' not found
lines(age.grid, pred$fit - 2 * pred$se, lty = "dashed")
## Error: object 'age.grid' not found

Here we have prespecified knots at ages \(25\), \(40\), and \(60\). This produces a spline with six basis functions. (Recall that a cubic spline with three knots has seven degrees of freedom; these degrees of freedom are used up by an intercept, plus six basis functions.) We could also use the df option to produce a spline with knots at uniform quantiles of the data.

dim(bs(age, knots = c(25, 40, 60)))
## Error: object 'age' not found
dim(bs(age, df = 6))
## Error: object 'age' not found
attr(bs(age, df = 6), "knots")
## Error: object 'age' not found

In this case R chooses knots at ages \(33.8, 42.0\), and \(51.0\), which correspond to the 25th, 50th, and 75th percentiles of age. The function bs() also has a degree argument, so we can fit splines of any degree, rather than the default degree of 3 (which yields a cubic spline).

In order to instead fit a natural spline, we use the ns() function. Here we fit a natural spline with four degrees of freedom.

fit2 <- lm(wage ~ ns(age, df = 4), data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
pred2 <- predict(fit2, newdata = list(age = age.grid),
     se = T)
## Error: object 'fit2' not found
plot(age, wage, col = "gray")
## Error: object 'age' not found
lines(age.grid, pred2$fit, col = "red", lwd = 2)
## Error: object 'age.grid' not found

As with the bs() function, we could instead specify the knots directly using the knots option.

In order to fit a smoothing spline, we use the smooth.spline() function. Figure 7.8 was produced with the following code:

plot(age, wage, xlim = agelims, cex = .5, col = "darkgrey")
## Error: object 'age' not found
title("Smoothing Spline")
## Error in title("Smoothing Spline"): plot.new has not been called yet
fit <- smooth.spline(age, wage, df = 16)
## Error: object 'wage' not found
fit2 <- smooth.spline(age, wage, cv = TRUE)
## Error: object 'wage' not found
fit2$df
## Error: object 'fit2' not found
lines(fit, col = "red", lwd = 2)
## Error: object 'fit' not found
lines(fit2, col = "blue", lwd = 2)
## Error: object 'fit2' not found
legend("topright", legend = c("16 DF", "6.8 DF"),
    col = c("red", "blue"), lty = 1, lwd = 2, cex = .8)
## Error in (function (s, units = "user", cex = NULL, font = NULL, vfont = NULL, : plot.new has not been called yet

Notice that in the first call to smooth.spline(), we specified df = 16. The function then determines which value of \(\lambda\) leads to \(16\) degrees of freedom. In the second call to smooth.spline(), we select the smoothness level by cross-validation; this results in a value of \(\lambda\) that yields 6.8 degrees of freedom.

In order to perform local regression, we use the loess() function.

plot(age, wage, xlim = agelims, cex = .5, col = "darkgrey")
## Error: object 'age' not found
title("Local Regression")
## Error in title("Local Regression"): plot.new has not been called yet
fit <- loess(wage ~ age, span = .2, data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
fit2 <- loess(wage ~ age, span = .5, data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found
lines(age.grid, predict(fit, data.frame(age = age.grid)),
    col = "red", lwd = 2)
## Error: object 'age.grid' not found
lines(age.grid, predict(fit2, data.frame(age = age.grid)),
    col = "blue", lwd = 2)
## Error: object 'age.grid' not found
legend("topright", legend = c("Span = 0.2", "Span = 0.5"),
    col = c("red", "blue"), lty = 1, lwd = 2, cex = .8)
## Error in (function (s, units = "user", cex = NULL, font = NULL, vfont = NULL, : plot.new has not been called yet

Here we have performed local linear regression using spans of \(0.2\) and \(0.5\): that is, each neighborhood consists of 20 % or 50 % of the observations. The larger the span, the smoother the fit. The locfit library can also be used for fitting local regression models in R.

GAMs

We now fit a GAM to predict wage using natural spline functions of lyear and age, treating education as a qualitative predictor, as in (7.16). Since this is just a big linear regression model using an appropriate choice of basis functions, we can simply do this using the lm() function.

gam1 <- lm(wage ~ ns(year, 4) + ns(age, 5) + education,
    data = Wage)
## Error in eval(mf, parent.frame()): object 'Wage' not found

We now fit the model (7.16) using smoothing splines rather than natural splines. In order to fit more general sorts of GAMs, using smoothing splines or other components that cannot be expressed in terms of basis functions and then fit using least squares regression, we will need to use the gam library in R.

The s() function, which is part of the gam library, is used to indicate that we would like to use a smoothing spline. We specify that the function of lyear should have \(4\) degrees of freedom, and that the function of age will have \(5\) degrees of freedom. Since education is qualitative, we leave it as is, and it is converted into four dummy variables. We use the gam() function in order to fit a GAM using these components. All of the terms in (7.16) are fit simultaneously, taking each other into account to explain the response.

library(gam)
## Error in library(gam): there is no package called 'gam'
gam.m3 <- gam(wage ~ s(year, 4) + s(age, 5) + education,
    data = Wage)
## Error in gam(wage ~ s(year, 4) + s(age, 5) + education, data = Wage): could not find function "gam"

In order to produce Figure 7.12, we simply call the plot() function:

par(mfrow = c(1, 3))
plot(gam.m3, se = TRUE, col = "blue")
## Error: object 'gam.m3' not found

The generic plot() function recognizes that gam.m3 is an object of class Gam, and invokes the appropriate plot.Gam() method. Conveniently, even though gam1 is not of class Gam but rather of class lm, we can {} use plot.Gam() on it. Figure 7.11 was produced using the following expression:

plot.Gam(gam1, se = TRUE, col = "red")
## Error in plot.Gam(gam1, se = TRUE, col = "red"): could not find function "plot.Gam"

Notice here we had to use plot.Gam() rather than the generic plot() function.

In these plots, the function of lyear looks rather linear. We can perform a series of ANOVA tests in order to determine which of these three models is best: a GAM that excludes lyear (\(M_1\)), a GAM that uses a linear function of lyear (\(M_2\)), or a GAM that uses a spline function of lyear (\(M_3\)).

gam.m1 <- gam(wage ~ s(age, 5) + education, data = Wage)
## Error in gam(wage ~ s(age, 5) + education, data = Wage): could not find function "gam"
gam.m2 <- gam(wage ~ year + s(age, 5) + education,
    data = Wage)
## Error in gam(wage ~ year + s(age, 5) + education, data = Wage): could not find function "gam"
anova(gam.m1, gam.m2, gam.m3, test = "F")
## Error: object 'gam.m1' not found

We find that there is compelling evidence that a GAM with a linear function of lyear is better than a GAM that does not include lyear at all (p-value = 0.00014). However, there is no evidence that a non-linear function of lyear is needed (p-value = 0.349). In other words, based on the results of this ANOVA, \(M_2\) is preferred.

The summary() function produces a summary of the gam fit.

summary(gam.m3)
## Error: object 'gam.m3' not found

The “Anova for Parametric Effects” p-values clearly demonstrate that year, age, and education are all highly statistically significant, even when only assuming a linear relationship. Alternatively, the “Anova for Nonparametric Effects” p-values for year and age correspond to a null hypothesis of a linear relationship versus the alternative of a non-linear relationship. The large p-value for year reinforces our conclusion from the ANOVA test that a linear function is adequate for this term. However, there is very clear evidence that a non-linear term is required for age.

We can make predictions using the predict() method for the class Gam. Here we make predictions on the training set.

preds <- predict(gam.m2, newdata = Wage)
## Error: object 'gam.m2' not found

We can also use local regression fits as building blocks in a GAM, using the lo() function.

gam.lo <- gam(
    wage ~ s(year, df = 4) + lo(age, span = 0.7) + education,
    data = Wage
  )
## Error in gam(wage ~ s(year, df = 4) + lo(age, span = 0.7) + education, : could not find function "gam"
plot(gam.lo, se = TRUE, col = "green")
## Error: object 'gam.lo' not found

Here we have used local regression for the age term, with a span of \(0.7\). We can also use the lo() function to create interactions before calling the gam() function. For example,

gam.lo.i <- gam(wage ~ lo(year, age, span = 0.5) + education,
    data = Wage)
## Error in gam(wage ~ lo(year, age, span = 0.5) + education, data = Wage): could not find function "gam"

fits a two-term model, in which the first term is an interaction between lyear and age, fit by a local regression surface. We can plot the resulting two-dimensional surface if we first install the akima package.

library(akima)
## Error in library(akima): there is no package called 'akima'
plot(gam.lo.i)
## Error: object 'gam.lo.i' not found

In order to fit a logistic regression GAM, we once again use the I() function in constructing the binary response variable, and set family=binomial.

gam.lr <- gam(
    I(wage > 250) ~ year + s(age, df = 5) + education,
    family = binomial, data = Wage
  )
## Error in gam(I(wage > 250) ~ year + s(age, df = 5) + education, family = binomial, : could not find function "gam"
par(mfrow = c(1, 3))
plot(gam.lr, se = T, col = "green")
## Error: object 'gam.lr' not found

It is easy to see that there are no high earners in the < HS category:

table(education, I(wage > 250))
## Error: object 'education' not found

Hence, we fit a logistic regression GAM using all but this category. This provides more sensible results.

gam.lr.s <- gam(
    I(wage > 250) ~ year + s(age, df = 5) + education,
    family = binomial, data = Wage,
    subset = (education != "1. < HS Grad")
  )
## Error in gam(I(wage > 250) ~ year + s(age, df = 5) + education, family = binomial, : could not find function "gam"
plot(gam.lr.s, se = T, col = "green")
## Error: object 'gam.lr.s' not found