Introduction
In this lab, you will learn how to plot a linear regression with confidence and prediction intervals, and various tools to assess model fit: calculating the MSE, making train-test splits, and writing a function for cross validation. You can download the student zip including all needed files for practical 3 here.
Note: the completed homework (the whole practical) has to be handed in on Black Board and will be graded (pass/fail, counting towards your grade for the individual assignment). The deadline Monday 13th of May, end of day. Hand-in should be a PDF file. If you know how to knit pdf files, you can hand in the knitted pdf file. However, if you have not done this before, you are advised to knit to a html file as specified below, and within the html browser, ‘print’ your file as a pdf file.
Please note that not all questions are dependent to each other; if you do not know the answer of one question, you can still solve part of the remaining lab.
We will use the Boston
dataset, which is in the MASS
package that comes with R
. In addition, we will make use of the caret
package to divide the Boston
dataset into a training, test, and validation set.
library(ISLR)
library(MASS)
library(tidyverse)
library(caret)
As always, the first thing we want to do is to inspect the Boston dataset using the View()
function:
view(Boston)
The Boston
dataset contains the housing values and other information about Boston suburbs. We will use the dataset to predict housing value (the variable medv
- Median value of owner-occupied homes in $1000’s - is the outcome/dependent variable) by socio-economic status (the variable lstat
- % lower status of the population - is the predictor / independent variable).
Let’s explore socio-economic status and housing value in the dataset using visualization. Use the following code to create a scatter plot from the Boston
dataset with lstat
mapped to the x position and medv
mapped to the y position. We can store the plot in an object called p_scatter
.
p_scatter <-
Boston %>%
ggplot(aes(x = lstat, y = medv)) +
geom_point() +
theme_minimal()
p_scatter
In the scatter plot, we can see that that the median value of owner-occupied homes in $1000’s (medv) is going down as the percentage of the lower status of the population (lstat) increases.
Plotting observed data including a prediction line
We’ll start with making and visualizing the linear model. As you know, a linear model is fitted in R
using the function lm()
, which then returns a lm
object. We are going to walk through the construction of a plot with a fit line. Then we will add confidence intervals from an lm
object to this plot.
First, we will create the linear model. This model will be used to predict outcomes for the current data set, and - further along in this lab - to create new data to enable adding the prediction line to the scatter plot.
lm_ses
using the formula medv ~ lstat
and the Boston
dataset.lm_ses <- lm(formula = medv ~ lstat, data = Boston)
You have now trained a regression model with medv
(housing value) as the outcome/dependent variable and lstat
(socio-economic status) as the predictor / independent variable.
Remember that a regression estimates β (the intercept) and β1 (the slope) in the following equation:
y = β0 + β1 • x1 + ε
coef()
to extract the intercept and slope from the lm_ses
object. Interpret the slope coefficient.summary()
to get a summary of the lm_ses
object. What do you see? You can use the help file ?summary.lm
.We now have a model object lm_ses
that represents the formula
medvi = 34.55 - 0.95 • lstati + εi
With this object, we can predict a new medv
value by inputting its lstat
value. The predict()
method enables us to do this for the lstat
values in the original dataset.
y_pred
. Use the predict
functionTo generate a nice, smooth prediction line, we need a large range of (equally spaced) hypothetical lstat
values. Next, we can use these hypothetical lstat
values to generate predicted housing values with predict()
method using the newdat
argument.
One method to generate these hypothetical values is through using the function seq()
. This function from base R
generates a sequence of number using a standardized method. Typically length of the requested sequence divided by the range between from
to to
. For more information call ?seq
.
Use the following code and the seq()
function to generate a sequence of 1000 equally spaced values from 0 to 40. We will store this vector in a data frame with (data.frame()
or tibble()
) as its column name lstat
. We will name the data frame pred_dat
.
pred_dat <- tibble(lstat = seq(0, 40, length.out = 1000))
Now we will use the newly created data frame as the newdata
argument to a predict()
call for lm_ses
and we will store it in a variable named y_pred_new
.
y_pred_new <- predict(lm_ses, newdata = pred_dat)
Now, we’ll continue with the plotting part by adding a prediction line to the plot we previously constructed.
Use the following code to add the vector y_pred_new
to the pred_dat
data frame with the name medv
.
# this can be done in several ways. Here are two possibilities:
# pred_dat$medv <- y_pred_new
pred_dat <- pred_dat %>% mutate(medv = y_pred_new)
Finally, we will add a geom_line() to p_scatter
, with pred_dat
as the data
argument. What does this line represent?
p_scatter + geom_line(data = pred_dat)
# This line represents predicted values of medv for the values of lstat
Plotting linear regression with confindence intervals
We will continue with the Boston
dataset, the created model lm_ses
that predicts medv
(housing value) by lstat
(socio-economic status), and the predicted housing values stored in y_pred
. Now, we will - step by step - add confidence intervals to our plotted prediction line.
interval
argument can be used to generate confidence or prediction intervals. Create a new object called y_conf_95
using predict()
(again with the pred_dat
data) with the interval
argument set to “confidence”. What is in this object?y_conf_95
), and the sequence created earlier; create a data frame with 4 columns: medv
, lstat
, lower
, and upper
. For the lstat
use the pred_dat$lstat
; for medv
, lower
, and upper
use data from y_conf_95
geom_ribbon()
to the plot with the data frame you just made. The ribbon geom requires three aesthetics: x
(lstat
, already mapped), ymin
(lower
), and ymax
(upper
). Add the ribbon below the geom_line()
and the geom_points()
of before to make sure those remain visible. Give it a nice colour and clean up the plot, too!Next, we will write a function to assess the model fit using the mean square error: the square of how much our predictions on average differ from the observed values. Functions are “self contained” modules of code that accomplish a specific task. Functions usually “take in” data, process it, and “return” a result. If you are not familiar with functions, please read more on chapter 19 of the book “R for Data Science” here
mse()
that takes in two vectors: true y values and predicted y values, and which outputs the mean square error.Start like so:
mse <- function(y_true, y_pred) {
# your formula here
}
Wikipedia may help for the formula.
Make sure your mse()
function works correctly by running the following code.__
mse(1:10, 10:1)
## [1] 33
In the code, we state that our observed values correspond to \(1, 2, ..., 9, 10\), while our predicted values correspond to \(10, 9, ..., 2, 1\). This is graphed below, where the blue dots correspond to the observed values, and the yellow dots correspond to the predicted values. Using your function, you have now calculated the mean squared length of the dashed lines depicted in the graph below.
If your function works correctly, the value returned should equal 33.
lm_ses
model. Use the medv
column as y_true
and use the predict()
method to generate y_pred
.You have calculated the mean squared length of the dashed lines in the plot below. As the MSE is computed using the data that was used to fit the model, we actually obtained the training MSE.
Below we continue with splitting our data in a training, test and validation set such that we can calculate the out-of sample prediction error during model building using the validation set, and estimate the true out-of-sample MSE using the test set.
Note that you can also easily obtain how much the predictions on average differ from the observed values in the original scale of the outcome variable. To obtain this, you take the root of the mean square error. This is called the Root Mean Square Error, abbreviated as RMSE.
Train-validation-test splits
Next, we will use the caret
package and the function createDataPartition()
to obtain a training, test, and validation set from the Boston
dataset. For more information on this package, see the caret website. The training set will be used to fit our model, the validation set will be used to calculate the out-of sample prediction error during model building, and the test set will be used to estimate the true out-of-sample MSE.
Use the code given below to obtain training, test, and validation set from the Boston
dataset.
library(caret)
# define the training partition
train_index <- createDataPartition(Boston$medv, p = .7,
list = FALSE,
times = 1)
# split the data using the training partition to obtain training data
boston_train <- Boston[train_index,]
# remainder of the split is the validation and test data (still) combined
boston_val_and_test <- Boston[-train_index,]
# split the remaining 30% of the data in a validation and test set
val_index <- createDataPartition(boston_val_and_test$medv, p = .66,
list = FALSE,
times = 1)
boston_valid <- boston_val_and_test[val_index,]
boston_test <- boston_val_and_test[-val_index,]
# Outcome of this section is that the data (100%) is split into:
# training (~70%)
# validation (~20%)
# test (~10%)
Note that creating the partitions using the y
argument (letting the function know what your dependent variable will be in the analysis), makes sure that when your dependent variable is a factor, the random sampling occurs within each class and should preserve the overall class distribution of the data.
We will set aside the boston_test
dataset for now.
model_1
using the training dataset. Use the formula medv ~ lstat
like in the first lm()
exercise. Use summary()
to check that this object is as you expect.model_1_mse_train
.model_1_mse_valid
. Hint: use the newdata
argument in predict()
.This is the estimated out-of-sample mean squared error.
model_2
for the train data which includes age
and tax
as predictors. Calculate the train and validation MSE.In choosing the best model, you should base your answer on the validation MSE. Using the out of sample mean square error, we have made a model decision (which parameters to include, only lstat
, or using age
and tax
in addition to lstat
to predict housing value). Now we have selected a final model.
As you will see during the remainder of the course, usually we set apart the test set at the beginning and on the remaining data perform the train-validation split multiple times. Performing the train-validation split multiple times is what we for example do in cross validation (see below). The validation sets are used for making model decisions, such as selecting predictors or tuning model parameters, so building the model. As the validation set is used to base model decisions on, we can not use this set to obtain a true out-of-sample MSE. That’s where the test set comes in, it can be used to obtain the MSE of the final model that we choose when all model decisions have been made. As all model decisions have been made, we can use all data except for the test set to retrain our model one last time using as much data as possible to estimate the parameters for the final model.
Optional: cross-validation
This is an advanced exercise. Some components we have seen before in this lab, but some things will be completely new. Try to complete it by yourself, but don’t worry if you get stuck. If you need to refresh your memory on for loops
in R
, have another look at lab 1 on the course website.
Use help in this order:
You may also just read the answer when they have been made available and try to understand what happens in each step.
Inputs:
formula
: a formula just as in the lm()
functiondataset
: a data framek
: the number of folds for cross validationOutputs:
medv ~ lstat + age + tax
. Compare it to a model with as formula medv ~ lstat + I(lstat^2) + age + tax
.