The Mad Hatter’s Guide to Data Viz and Stats in R
  1. Data Viz and Stats
  2. Modelling
  3. Modelling with Linear Regression
  • Data Viz and Stats
    • Tools
      • Introduction to R and RStudio
    • Descriptive Analytics
      • Data
      • Inspect Data
      • Graphs
      • Summaries
      • Counts
      • Quantities
      • Groups
      • Distributions
      • Groups and Distributions
      • Change
      • Proportions
      • Parts of a Whole
      • Evolution and Flow
      • Ratings and Rankings
      • Surveys
      • Time
      • Space
      • Networks
      • Miscellaneous Graphing Tools, and References
    • Inference
      • Basics of Statistical Inference
      • 🎲 Samples, Populations, Statistics and Inference
      • Basics of Randomization Tests
      • Inference for a Single Mean
      • Inference for Two Independent Means
      • Inference for Comparing Two Paired Means
      • Comparing Multiple Means with ANOVA
      • Inference for Correlation
      • Testing a Single Proportion
      • Inference Test for Two Proportions
    • Modelling
      • Modelling with Linear Regression
      • Modelling with Logistic Regression
      • 🕔 Modelling and Predicting Time Series
    • Workflow
      • Facing the Abyss
      • I Publish, therefore I Am
      • Data Carpentry
    • Arts
      • Colours
      • Fonts in ggplot
      • Annotating Plots: Text, Labels, and Boxes
      • Annotations: Drawing Attention to Parts of the Graph
      • Highlighting parts of the Chart
      • Changing Scales on Charts
      • Assembling a Collage of Plots
      • Making Diagrams in R
    • AI Tools
      • Using gander and ellmer
      • Using Github Copilot and other AI tools to generate R code
      • Using LLMs to Explain Stat models
    • Case Studies
      • Demo:Product Packaging and Elderly People
      • Ikea Furniture
      • Movie Profits
      • Gender at the Work Place
      • Heptathlon
      • School Scores
      • Children's Games
      • Valentine’s Day Spending
      • Women Live Longer?
      • Hearing Loss in Children
      • California Transit Payments
      • Seaweed Nutrients
      • Coffee Flavours
      • Legionnaire’s Disease in the USA
      • Antarctic Sea ice
      • William Farr's Observations on Cholera in London
    • Projects
      • Project: Basics of EDA #1
      • Project: Basics of EDA #2
      • Experiments

On this page

  • 1 Slides and Tutorials
  • 2 Setting up R Packages
  • 3 Introduction
  • 4 The Linear Regression Model
  • 5 Linear Models as Hypothesis Tests
  • 6 Assumptions in Linear Models
  • 7 Linear Model Workflow
    • 7.1 Workflow: Read the Data
    • 7.2 Data Dictionary
    • 7.3 Workflow: EDA
    • 7.4 Model Building
    • 7.5 Workflow: Model Checking and Diagnostics
    • 7.6 Workflow: Checks for Uncertainty
    • 7.7 Checks for Constant Variance/Heteroscedasticity
  • 8 Extras
  • 9 Conclusions
  • 10 References
  1. Data Viz and Stats
  2. Modelling
  3. Modelling with Linear Regression

Modelling with Linear Regression

Linear Regression
Quantitative Predictor
Quantitative Response
Sum of Squares
Residuals
Author

Arvind V.

Published

April 13, 2023

Modified

September 30, 2025

Abstract
Predicting Quantitative Target Variables

1 Slides and Tutorials

Multiple Regression - Forward Selection   Multiple Regression - Backward Selection  

2 Setting up R Packages

library(tidyverse)
library(ggformula)
library(mosaic)
library(GGally)
library(corrplot)
library(corrgram)
library(ggstatsplot)

Plot Fonts and Theme

Show the Code
library(systemfonts)
library(showtext)
library(ggrepel)
library(marquee)
## Clean the slate
systemfonts::clear_local_fonts()
systemfonts::clear_registry()
##
showtext_opts(dpi = 96) # set DPI for showtext
sysfonts::font_add(
  family = "Alegreya",
  regular = "../../../../../../fonts/Alegreya-Regular.ttf",
  bold = "../../../../../../fonts/Alegreya-Bold.ttf",
  italic = "../../../../../../fonts/Alegreya-Italic.ttf",
  bolditalic = "../../../../../../fonts/Alegreya-BoldItalic.ttf"
)

sysfonts::font_add(
  family = "Roboto Condensed",
  regular = "../../../../../../fonts/RobotoCondensed-Regular.ttf",
  bold = "../../../../../../fonts/RobotoCondensed-Bold.ttf",
  italic = "../../../../../../fonts/RobotoCondensed-Italic.ttf",
  bolditalic = "../../../../../../fonts/RobotoCondensed-BoldItalic.ttf"
)
showtext_auto(enable = TRUE) # enable showtext
##
theme_custom <- function() {
  theme_bw(base_size = 10) +

    theme_sub_axis(
      title = element_text(
        family = "Roboto Condensed",
        size = 8
      ),
      text = element_text(
        family = "Roboto Condensed",
        size = 6
      )
    ) +

    theme_sub_legend(
      text = element_text(
        family = "Roboto Condensed",
        size = 6
      ),
      title = element_text(
        family = "Alegreya",
        size = 8
      )
    ) +

    theme_sub_plot(
      title = element_text(
        family = "Alegreya",
        size = 14, face = "bold"
      ),
      title.position = "plot",
      subtitle = element_text(
        family = "Alegreya",
        size = 10
      ),
      caption = element_text(
        family = "Alegreya",
        size = 6
      ),
      caption.position = "plot"
    )
}

## Use available fonts in ggplot text geoms too!
ggplot2::update_geom_defaults(geom = "text", new = list(
  family = "Roboto Condensed",
  face = "plain",
  size = 3.5,
  color = "#2b2b2b"
))
ggplot2::update_geom_defaults(geom = "label", new = list(
  family = "Roboto Condensed",
  face = "plain",
  size = 3.5,
  color = "#2b2b2b"
))

ggplot2::update_geom_defaults(geom = "marquee", new = list(
  family = "Roboto Condensed",
  face = "plain",
  size = 3.5,
  color = "#2b2b2b"
))
ggplot2::update_geom_defaults(geom = "text_repel", new = list(
  family = "Roboto Condensed",
  face = "plain",
  size = 3.5,
  color = "#2b2b2b"
))
ggplot2::update_geom_defaults(geom = "label_repel", new = list(
  family = "Roboto Condensed",
  face = "plain",
  size = 3.5,
  color = "#2b2b2b"
))

## Set the theme
ggplot2::theme_set(new = theme_custom())

## tinytable options
options("tinytable_tt_digits" = 2)
options("tinytable_format_num_fmt" = "significant_cell")
options(tinytable_html_mathjax = TRUE)


## Set defaults for flextable
flextable::set_flextable_defaults(font.family = "Roboto Condensed")

3 Introduction

One of the most common problems in Prediction Analytics is that of predicting a Quantitative response variable, based on one or more Quantitative predictor variables or features. This is called Linear Regression. We will use the intuitions built up during our study of ANOVA to develop our ideas about Linear Regression.

Suppose we have data on salaries in a Company, with years of study and previous experience. Would we be able to predict the prospective salary of a new candidate, based on their years of study and experience? Or based on the mileage done, could we predict the resale price of a used car? These are typical problems in Linear Regression.

In this tutorial, we will use the Boston housing dataset. Our research question is:

NoteResearch Question

How do we predict the price of a house in Boston, based on other parameters Quantitative parameters such as area, location, rooms, and crime-rate in the neighbourhood?

4 The Linear Regression Model

The premise here is that many common statistical tests are special cases of the linear model.

A linear model estimates the relationship between one continuous or ordinal variable (dependent variable or “response”) and one or more other variables (explanatory variable or “predictors”). It is assumed that the relationship is linear:1

\[ \Large{y_i \sim \beta_1*x_i + \beta_0\\} \tag{1}\]

or

\[ y_1 \sim exp(\beta_1)*x_i + \beta_0 \]

but not:

\[ \color{red}{y_i \sim \beta_1*exp(\beta_2*x_i) + \beta_0\\} \]

or

\[ \color{red}{y_i \sim \beta_1 *x^{\beta_2} + \beta_0} \]

In Equation 1, \(\beta_0\) is the intercept and \(\beta_1\) is the slope of the linear fit, that predicts the value of y based the value of x. Each prediction leaves a small “residual” error between the actual and predicted values. \(\beta_0\) and \(\beta_1\) are calculated based on minimizing the sum of squares of these residuals, and hence this method is called “ordinary least squares” (OLS) regression.

Figure 1: Least Squares

The net area of all the shaded squares is minimized in the calculation of \(\beta_0\) and \(\beta_1\). As per Lindoloev, many statistical tests, going from one-sample t-tests to two-way ANOVA, are special cases of this system. Also see Jeffrey Walker “A linear-model-can-be-fit-to-data-with-continuous-discrete-or-categorical-x-variables”.

5 Linear Models as Hypothesis Tests

Using linear models is based on the idea of Testing of Hypotheses. The Hypothesis Testing method typically defines a NULL Hypothesis where the statements read as “there is no relationship” between the variables at hand, explanatory and responses. The Alternative Hypothesis typically states that there is a relationship between the variables.

Accordingly, in fitting a linear model, we follow the process as follows:

NoteModelling Process

With \(y = \beta_0 + \beta_1 *x\)

  1. Make the following hypotheses:

\[ NULL\ Hypothesis\ H_0 => x\ and\ y\ are\ unrelated.\ (\beta_1 = 0) \]

\[ Alternate\ Hypothesis\ H_1 => x\ and\ y\ are\ linearly\ related\ (\beta_1 \ne 0) \]

  1. We “assume” that \(H_0\) is true.
  2. We calculate \(\beta_1\).
  3. We then find probability p(\(\beta_1 = Estimated\ Value\) when the NULL Hypothesis is assumed TRUE). This is the p-value. If that probability is p>=0.05, we say we “cannot reject” \(H_0\) and there is unlikely to be significant linear relationship.
  4. However, if p<= 0.05 can we reject the NULL hypothesis, and say that there could be a significant linear relationship, because the probability p that \(\beta_1 = Estimated\ Value\) by mere chance under \(H_0\) is very small.
ImportantA Distribution for a Slope \(\beta_1\)??

Why does the slope have a distribution??? Why is it random? Isn’t it a single number that we calculate? Is there anything that is not random in statistics?

  • Remember, we treat our data as a sample from a population.
  • We estimate the slope \(\beta_1\) from the sample.
  • The sample is random, and hence the slope is also random.
  • If we took another sample, we would get a different slope.
  • So the regression-slope is a random variable, and hence has a distribution.

6 Assumptions in Linear Models

When does a Linear Model work? We can write the assumptions in Linear Regression Models as an acronym, LINE:
1. L: \(\color{blue}{linear}\) relationship between variables 2. I: Errors are independent (across observations)
3. N: \(y\) is \(\color{red}{normally}\) distributed at each “level” of \(x\).
4. E: \(y\) has the same variance at all levels of \(x\). No heteroscedasticity.

Figure 2: OLS Assumptions

Hence a very concise way of expressing the Linear Model is:

\[ \Large{y \sim N(x_i^T * \beta, ~~\sigma^2)} \tag{2}\]

where \(N(mean, variance)\) is the Normal distribution with given mean

ImportantGeneral Linear Models

The target variable \(y\) is modelled as a normally distribute variable whose mean depends upon a linear combination of predictor variables \(x\), and whose variance is \(\sigma^2\).

7 Linear Model Workflow

OK, on with the computation!

7.1 Workflow: Read the Data

Let us now read in the data and check for these assumptions as part of our Workflow.

data("BostonHousing2", package = "mlbench")
housing <- BostonHousing2
skimr::skim(housing)
Data summary
Name housing
Number of rows 506
Number of columns 19
_______________________
Column type frequency:
factor 2
numeric 17
________________________
Group variables None

Variable type: factor

skim_variable n_missing complete_rate ordered n_unique top_counts
town 0 1 FALSE 92 Cam: 30, Bos: 23, Lyn: 22, Bos: 19
chas 0 1 FALSE 2 0: 471, 1: 35

Variable type: numeric

skim_variable n_missing complete_rate mean sd p0 p25 p50 p75 p100 hist
tract 0 1 2700.36 1380.04 1.00 1303.25 3393.50 3739.75 5082.00 ▅▂▂▇▂
lon 0 1 -71.06 0.08 -71.29 -71.09 -71.05 -71.02 -70.81 ▁▂▇▂▁
lat 0 1 42.22 0.06 42.03 42.18 42.22 42.25 42.38 ▁▃▇▃▁
medv 0 1 22.53 9.20 5.00 17.02 21.20 25.00 50.00 ▂▇▅▁▁
cmedv 0 1 22.53 9.18 5.00 17.02 21.20 25.00 50.00 ▂▇▅▁▁
crim 0 1 3.61 8.60 0.01 0.08 0.26 3.68 88.98 ▇▁▁▁▁
zn 0 1 11.36 23.32 0.00 0.00 0.00 12.50 100.00 ▇▁▁▁▁
indus 0 1 11.14 6.86 0.46 5.19 9.69 18.10 27.74 ▇▆▁▇▁
nox 0 1 0.55 0.12 0.38 0.45 0.54 0.62 0.87 ▇▇▆▅▁
rm 0 1 6.28 0.70 3.56 5.89 6.21 6.62 8.78 ▁▂▇▂▁
age 0 1 68.57 28.15 2.90 45.02 77.50 94.07 100.00 ▂▂▂▃▇
dis 0 1 3.80 2.11 1.13 2.10 3.21 5.19 12.13 ▇▅▂▁▁
rad 0 1 9.55 8.71 1.00 4.00 5.00 24.00 24.00 ▇▂▁▁▃
tax 0 1 408.24 168.54 187.00 279.00 330.00 666.00 711.00 ▇▇▃▁▇
ptratio 0 1 18.46 2.16 12.60 17.40 19.05 20.20 22.00 ▁▃▅▅▇
b 0 1 356.67 91.29 0.32 375.38 391.44 396.22 396.90 ▁▁▁▁▇
lstat 0 1 12.65 7.14 1.73 6.95 11.36 16.96 37.97 ▇▇▅▂▁

7.2 Data Dictionary

The original data are 506 observations on 14 variables, medv being the target variable:

crim per capita crime rate by town
zn proportion of residential land zoned for lots over 25,000 sq.ft
indus proportion of non-retail business acres per town
chas Charles River dummy variable (= 1 if tract bounds river; 0 otherwise)
nox nitric oxides concentration (parts per 10 million)
rm average number of rooms per dwelling
age proportion of owner-occupied units built prior to 1940
dis weighted distances to five Boston employment centres
rad index of accessibility to radial highways
tax full-value property-tax rate per USD 10,000
ptratio pupil-teacher ratio by town
b \(1000(B - 0.63)^2\) where B is the proportion of Blacks by town
lstat percentage of lower status of the population
medv median value of owner-occupied homes in USD 1000’s

The corrected data set has the following additional columns:

cmedv corrected median value of owner-occupied homes in USD 1000’s
town name of town
tract census tract
lon longitude of census tract
lat latitude of census tract

Our response variable is cmedv, the corrected median value of owner-occupied homes in USD 1000’s. Their are many Quantitative feature variables that we can use to predict cmedv. And there are two Qualitative features, chas and tax.

7.3 Workflow: EDA

In order to fit the linear model, we need to choose predictor variables that have strong correlations with the target variable. We will first do this with GGally, and then with the tidyverse itself. Both give us a very unique view into the correlations that exist within this dataset.

  • Workflow: Correlations with GGally
  • Correlations using Error Bar Plots

Let us select a few sets of Quantitative and Qualitative features, along with the target variable cmedv and do a pairs-plots with them:

Show the Code
ggplot2::theme_set(new = theme_custom())

housing %>%
  # Target variable cmedv
  # Predictors Rooms / Age / Distance to City Centres / Radial Highway Access
  select(cmedv, rm, age, dis) %>%
  GGally::ggpairs(
    title = "Plot 1",
    progress = FALSE,
    lower = list(continuous = wrap("smooth",
      alpha = 0.2
    ))
  )

housing %>%
  # Target variable cmedv
  # Predictors: Access to Radial Highways, / Resid. Land Proportion / proportion of non-retail business acres / full-value property-tax rate per USD 10,000
  select(cmedv, rad, zn, indus, tax) %>%
  GGally::ggpairs(
    title = "Plot 2",
    progress = FALSE,
    lower = list(continuous = wrap("smooth",
      alpha = 0.2
    ))
  )

housing %>%
  # Target variable cmedv
  # Predictors Crime Rate / Nitrous Oxide / Black Population / Lower Status Population
  select(cmedv, crim, nox, rad, b, lstat) %>%
  GGally::ggpairs(
    title = "Plot 3",
    progress = FALSE,
    lower = list(continuous = wrap("smooth",
      alpha = 0.2
    ))
  )
housing %>%
  # Target variable cmedv
  # Predictor Access to Charles River
  select(cmedv, chas) %>%
  GGally::ggpairs(
    title = "Plot 4",
    progress = FALSE,
    lower = list(continuous = wrap("smooth",
      alpha = 0.2
    ))
  )
(a) Quant Predictors Set 1
(b) Quant Predictors Set 2
(c) Quant Predictors Set 3
(d) Qual Predictors
Figure 3: Pairs Plots with GGally

See Figure 3 (a). Clearly, rm (avg. number of rooms) is a big determining feature for median price cmedv. This we infer based on the large correlation of rm withcmedv, \(0.696\). The variableage (proportion of owner-occupied units built prior to 1940) may also be a significant influence on cmedv, with a correlation of \(-0.378\).

From Figure 3 (b), none of the Quant variables rad, zn, indus, tax have a overly strong correlation with cmedv. .

From Figure 3 (c), the variable lstat (proportion of lower classes in the neighbourhood) as expected, has a strong (negative) correlation with cmedv; rad(index of accessibility to radial highways), nox(nitrous oxide) and crim(crime rate) also have fairly large correlations with cmedv, as seen from the pairs plots.

Among the Qualitative predictor variables, access to the Charles river (chas) does seem to affect the prices somewhat, as seen from Figure 3 (d). While not too many properties can be near the Charles River (for obvious reasons) the box plots do seem to show some dependency of cmedv on chas.

Note

Qualitative predictors for a Quantitative target can be included in the model using what is called dummy variables, where each level of the Qualitative variable is given a one-hot kind of encoding. See for example https://www.statology.org/dummy-variables-regression/

ImportantCorrelation Scores and Uncertainty

Recall that cor.test reports a correlation score and the p-value for the same. There is also a confidence interval reported for the correlation score, an interval within which we are 95% sure that the true correlation value is to be found.

Note that GGally too reports the significance of the correlation scores using stars, *** or **. This indicates the p-value in the scores obtained by GGally; Presumably, there is an internal cor.test that is run for each pair of variables and the p-value and confidence levels are also computed internally.

As we did with understanding Change and Correlations, we can quickly calculate all correlations of predictor variables with the target variable cmedv and plot these in an error-bar plot. This gives us a quick overview of which predictor variables have strong correlations with the target variable.

Show the Code
correlation::correlation(housing %>%
  select(where(is.numeric))) %>%
  filter(Parameter1 == "cmedv") %>%
  gf_errorbar(CI_low + CI_high ~ reorder(Parameter2, r),
    width = 0.5
  ) %>%
  gf_point(r ~ reorder(Parameter2, r), size = 4, color = "red") %>%
  gf_hline(yintercept = 0, color = "grey", linewidth = 2) %>%
  gf_labs(
    title = "Correlation Errorbar Chart",
    subtitle = "Target variable: cmedv",
    x = "Predictor Variable",
    y = "Correlation Score with cmedv"
  )
Figure 4: Correlation of Quantitative Predictors with Target Variable cmedv

7.4 Model Building

We will first execute the lm test with code and evaluate the results. Then we will do an intuitive walk through of the process and finally, hand-calculate entire analysis for clear understanding.

  • Model
  • Forecasting
  • Intuitive
  • Hypothesis Test for Linear Model
  • Linear Models by Hand

R offers a very simple command lm to execute an Linear Model: Note the familiar formula of stating the variables: ( \(y \sim x\); where \(y\) = target, \(x\) = predictor)

housing_lm <- lm(cmedv ~ rm, data = housing)
summary(housing_lm)

Call:
lm(formula = cmedv ~ rm, data = housing)

Residuals:
    Min      1Q  Median      3Q     Max 
-23.336  -2.425   0.093   2.918  39.434 

Coefficients:
            Estimate Std. Error t value Pr(>|t|)    
(Intercept) -34.6592     2.6421  -13.12   <2e-16 ***
rm            9.0997     0.4178   21.78   <2e-16 ***
---
Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1

Residual standard error: 6.597 on 504 degrees of freedom
Multiple R-squared:  0.4848,    Adjusted R-squared:  0.4838 
F-statistic: 474.3 on 1 and 504 DF,  p-value: < 2.2e-16

The model can be presented in tidy form using the broom package:

# Tidy Data frame for the model using `broom`
housing_lm_tidy <-
  housing_lm %>%
  broom::tidy(
    conf.int = TRUE,
    conf.level = 0.95
  )
housing_lm_tidy

The model for \(\widehat{cmedv}\) , the prediction for cmedvcan be written in the form of \(y = mx + c\), as:

\[ \widehat{cmedv} \sim -34.65924 + 9.09967* rm \tag{3}\]

Important
  • The effect size of rm on predicting cmedv a (slope) value of \(9.09967\) which is significant at p-value of \(<2.2e-16\); for every one room increase in rm, we have a \(USD~90997\) increase in median price cmedv.
  • The F-statistic for the Linear Model is given by \(F = 474.3\), which is very high. (We will use the F-statistic again when we do Multiple Regression.)
  • The R-squared value is \(R^2 = 0.48\) which means that rm is able to explain about half of the trend in cmedv; there is substantial variation in cmedv that is still left to explain, an indication that we should perhaps use a richer model, with more predictors. These aspects are explored in the Tutorials.

In practice, we use the broom package functions (tidy, glance and augment) to obtain a clear view of the model parameters and predictions of cmedv for all existing values of rm. We see estimates for the intercept and slope (rm) for the linear model, along with the standard errors and p.values for these estimated parameters. And we see the fitted values of cmedv for the existing rm; these values will naturally lie on the straight-line depicting the model.

To predict cmedv with new values of rm, we use predict. Let us now try to make predictions with some new data:

Show the Code
new <- tibble(rm = seq(3, 10)) # must be named "rm"
new %>% mutate(
  predictions =
    stats::predict(
      object = housing_lm,
      newdata = .,
      se.fit = FALSE
    )
)
housing_lm_augment <-
  housing_lm %>%
  broom::augment(
    se_fit = TRUE,
    interval = "confidence"
  )
housing_lm_augment
##
intercept <-
  housing_lm_tidy %>%
  filter(term == "(Intercept)") %>%
  select(estimate) %>%
  as.numeric()
##
slope <-
  housing_lm_tidy %>%
  filter(term == "rm") %>%
  select(estimate) %>%
  as.numeric()
(a) For new values of rm
(b) For existing values of rm
Table 1: Predictions of cmedv

Note that “negative values” for predicted cmedv would have no meaning!

We can plot the scatter plot of these two variables with the model also over-plotted.

Show the Code
ggplot2::theme_set(new = theme_custom())
set.seed(44) # for reproducibility

housing_lm_augment %>%
  slice_sample(n = 20) %>%
  gf_point(
    cmedv ~ rm,
    title = "Price vs Average no. of Rooms",
    ylab = "Median Price",
    xlab = "Avg. No. of Rooms",
    caption = "Showing only a sample of the Data"
  ) %>%
  # Plot the model equation
  gf_abline(
    slope = slope, intercept = intercept,
    colour = "lightcoral",
    linewidth = 2
  ) %>%
  # Plot the model prediction points on the line
  gf_point(.fitted ~ rm,
    shape = ~"fitted", size = 4,
    color = "grey30"
  ) %>%
  gf_annotate(
    geom = "segment",
    y = 0, yend = 29, x = 7, xend = 7, # manually calculated
    color = "dodgerblue",
    arrow = arrow(
      angle = 30,
      length = unit(0.25, "inches"),
      ends = "last",
      type = "open"
    )
  ) %>%
  gf_annotate(
    geom = "segment",
    y = 29, yend = 29, x = 2.5, xend = 7, # manually calculated
    arrow = arrow(
      angle = 30,
      length = unit(0.25, "inches"),
      ends = "first",
      type = "open"
    ),
    color = "dodgerblue"
  ) %>%
  gf_refine(
    scale_x_continuous(
      limits = c(2.5, 10),
      expand = c(0, 0)
    ),
    scale_shape_manual(
      values = c(fitted = 9),
      name = "Model Predictions"
    ),
    # removes plot panel margins
    scale_y_continuous(
      limits = c(0, 55),
      expand = c(0, 0)
    )
  )
Figure 5: Linear Model: Price vs Average no. of Rooms

For any new value of rm, we go up to the vertical blue line and read off the predicted median price by following the horizontal blue line. That is how the model is used (by hand).

All that is very well, but what is happening under the hood of the lm command? Consider the cmedv (target) variable and the rm feature/predictor variable. What we do is:

  1. Plot a scatter plot gf_point(cmedv ~ rm, housing)
  2. Find a line that, in some way, gives us some prediction of cmedv for any given rm
  3. Calculate the errors in prediction and use those to find the “best” line.
  4. Use that “best” line henceforth as a model for prediction.

How does one fit the “best” line? Consider a choice of “lines” that we can use to fit to the data. Here are 6 lines of varying slopes (and intercepts ) that we can try as candidates for the best fit line:

Show the Code
ggplot2::theme_set(new = theme_custom())

set.seed(1234)
housing_sample <- housing_lm_augment %>%
  slice_sample(n = 15)
mean_cmedv_sample <-
  mean(~cmedv, na.rm = TRUE, data = housing_sample)
mean_rm_sample <- mean(~rm, na.rm = TRUE, data = housing_sample)

lm_sample <- tibble(
  slope = slope + c(5, 2, 0, -2, -5, -slope),
  intercept = intercept + c(-30, -15, 0, 10, 30, -intercept + mean_cmedv_sample),
  # List column containing `housing_sample`
  # No repetition needed !!!
  # Auto recycle for each of slope + intercept
  sample = list(housing_sample)
)

lm_sample <- lm_sample %>%
  mutate(line = pmap(
    .l = list(intercept, slope, sample),
    .f = \(intercept, slope, sample)
    tibble(
      pred = intercept + slope * sample$rm,
      rm = sample$rm
    )
  )) %>%
  mutate(graphs = pmap(
    .l = list(sample, line),
    .f = \(sample, line)
    gf_point(cmedv ~ rm, data = sample, size = 2) %>%
      gf_line(
        pred ~ rm,
        data = line,
        color = "dodgerblue",
        linewidth = 2
      ) %>%
      gf_refine(
        scale_x_continuous(
          limits = c(2.5, 10),
          expand = c(0, 0)
        ),
        # removes plot panel margins
        scale_y_continuous(
          limits = c(0, 55),
          expand = c(0, 0)
        )
      )
  ))

lm_sample %>% pluck("graphs", 1)
lm_sample %>% pluck("graphs", 2)
lm_sample %>% pluck("graphs", 3)
lm_sample %>% pluck("graphs", 4)
lm_sample %>% pluck("graphs", 5)
lm_sample %>% pluck("graphs", 6)
(a) Slope = 5, Intercept = -30
(b) Slope = 2, Intercept = -15
(c) Slope = 0, Intercept = 0
(d) Slope = -2, Intercept = 10
(e) Slope = -5, Intercept = 30
(f) Slope = 0, Intercept = mean(cmedv)
Figure 6: Linear Model: Price vs Average no. of Rooms: Various Candidate Regression Lines

It should be apparent that while we cannot determine which line may be the best, the worst line seems to be the one in the final plot, which ignores the x-variable rm altogether. This corresponds to the NULL Hypothesis, that there is no relationship between the two variables. Any of the other lines could be a decent candidate, so how do we decide?

Show the Code
ggplot2::theme_set(new = theme_custom())

housing_sample %>%
  gf_hline(
    yintercept = ~mean_cmedv_sample,
    color = "dodgerblue", linewidth = 2
  ) %>%
  gf_segment(
    color = "springgreen3", linewidth = 2,
    mean_cmedv_sample + cmedv ~ rm + rm,
    title = "Fig A: Price vs \nAverage no. of Rooms",
    subtitle = "NULL Hypothesis",
    ylab = "cmedv (Median Price)",
    xlab = "rm (Avg. No. of Rooms)"
  ) %>%
  gf_point(cmedv ~ rm, size = 3) %>%
  gf_annotate(
    geom = "label",
    y = mean_cmedv_sample - 2, x = 7.5,
    label = "Overall Mean of cmedv",
    inherit = F
  )
##
housing_sample %>%
  gf_segment(
    .fitted + cmedv ~ rm + rm,
    color = "orangered1", linewidth = 2,
    title = "Fig B: Price vs \nAverage no. of Rooms",
    subtitle = "Alternative Hypothesis",
    ylab = "cmedv (Median Price)",
    xlab = "rm (Avg. No. of Rooms)"
  ) %>%
  gf_abline(
    slope = slope,
    intercept = intercept,
    colour = "purple", linewidth = 2
  ) %>%
  gf_point(cmedv ~ rm, size = 3)

##
housing_sample %>%
  gf_hline(
    yintercept = ~mean_cmedv_sample,
    color = "dodgerblue", linewidth = 2
  ) %>%
  gf_abline(
    slope = slope,
    intercept = intercept,
    colour = "purple", linewidth = 2
  ) %>%
  gf_segment(
    .fitted + mean_cmedv_sample ~ rm + rm,
    color = "grey50", linewidth = 2,
    title = "Fig C: Price vs \nAverage no. of Rooms",
    subtitle = "Residual Error after Modelling",
    ylab = "cmedv (Median Price)",
    xlab = "rm (Avg. No. of Rooms)"
  ) %>%
  gf_point(cmedv ~ rm, size = 3)
(a) NULL Hypothesis: No relationship between Price and Rooms (SST)
(b) Alternate Hypothesis: Linear relationship between Price and Rooms (SSE)
(c) Residual Error after Modelling (SSR)
Figure 7: Linear Model: Price vs Average no. of Rooms

In Figure 7 (a) the horizontal blue line is the overall mean of cmedv, denoted as \(\mu_{tot}\). The vertical green lines to the points show the departures of each point from this overall mean, called residuals. The sum of squares of these residuals in Figure 7 (a) is called the Total Sum of Squares (SST).

\[ SST = \Sigma (y - \mu_{tot})^2 \tag{4}\]

In Figure 7 (b), the vertical red lines are the residuals of each point from the potential line of fit. The sum of the squares of these lines is called the Total Error Sum of Squares (SSE).

\[ SSE = \Sigma [(y - a - b * rm)^2] \tag{5}\]

And in Figure 7 (c), the vertical grey lines are the residuals (of each point) from the model line to the overall mean. The sum of the squares of these lines is called the Regression Sum of Squares (SSR). \[ SSR = \Sigma [(\hat{y} - \mu_{tot})^2] \tag{6}\]

It is straightforward to derive and show that: \[ SST = SSR + SSE \tag{7}\]

and that if there is any positive linear relationship between cmedv and rm, then \(SSE < SST\) i.e. \(SSR \ge 0\).

How do we get the optimum slope + intercept? If we plot the \(SSE\) as a function of varying slope, we get:

Show the Code
ggplot2::theme_set(new = theme_custom())

sim_model <- tibble(
  b = slope + seq(-5, 5),
  a = intercept,
  dat = list(tibble(
    cmedv = housing_sample$cmedv,
    rm = housing_sample$rm
  ))
) %>%
  mutate(r_squared = pmap_dbl(
    .l = list(a, b, dat),
    .f = \(a, b, dat) sum((dat$cmedv - (b * dat$rm + a))^2)
  ))
min_r_squared <- sim_model %>%
  select(r_squared) %>%
  min()
min_slope <- sim_model %>%
  filter(r_squared == min_r_squared) %>%
  select(b) %>%
  as.numeric()
sim_model %>%
  gf_point(r_squared ~ b, data = ., size = 2) %>%
  gf_line(ylab = "SSE", xlab = "slope", title = "Error vs Slope", caption = "X-Axis drawn lower down for clarity") %>%
  gf_hline(yintercept = min_r_squared, color = "red") %>%
  gf_segment(min_r_squared + (-2000) ~ min_slope + min_slope,
    colour = "red",
    arrow = arrow(ends = "last", length = unit(4, "mm"))
  ) %>%
  gf_refine(
    coord_cartesian(expand = FALSE),
    expand_limits(y = c(-2000, 20000), x = c(3.5, 15))
  )
Figure 8: Linear Model: Price vs Average no. of Rooms: Error vs Slope

We see that there is a quadratic minimum \(SSE\) at the optimum value of slope and at all other slopes, the \(SSE\) is higher. We can use this to find the optimum slope, which is what the function lm does.

To be written up. We can use the F-statistic to test the hypothesis that there is a linear relationship between cmedv and rm. The Null Hypothesis is that there is no relationship, and the Alternate Hypothesis is that there is a linear relationship.

Let us hand-calculate the numbers so we know what the test is doing. Here is the SST: we pretend that there is no relationship between cmedv ans rm and compute a NULL model:

# Calculate overall sum squares SST

SST <- deviance(lm(cmedv ~ 1, data = housing))
SST
[1] 42577.74

And here is the SSE:

SSE <- deviance(housing_lm)
SSE
[1] 21934.39

Given that the model leaves unexplained variations in cmedv to the extent of \(SSE\), we can compute the \(SSR\), the Regression Sum of Squares, the amount of variation in cmedv that the linear model does explain:

SSR <- SST - SSE
SSR
[1] 20643.35

We have \(SST = 42577.74\), \(SSE = 21934.39\) and therefore \(SSR = 20643.35\).

In order to calculate the F-Statistic, we need to compute the variances, using these sum of squares. We obtain variances by dividing by their Degrees of Freedom:

\[ F_{stat} = \frac{SSR / df_{SSR}}{SSE / df_{SSE}} \tag{8}\]

where \(df_{SSR}\) and \(df_{SSE}\) are respectively the degrees of freedom in SSR and SSE.

Let us calculate these Degrees of Freedom. If we have \(n=\) 506 observations of data, then:

  • \(SST\) clearly has degree of freedom \(n-1 = 505\), since it uses all observations but loses one degree to calculate the global mean.
  • \(SSE\) was computed using the slope and intercept, so it has \((n-2) = 504\) as degrees of freedom.
  • And therefore \(SSR\) being their difference has just \(1\) degree of freedom.

Now we are ready to compute the F-statistic:

n <- housing %>%
  count() %>%
  as.numeric()
df_SSR <- 1
df_SSE <- n - 2
F_stat <- (SSR / df_SSR) / (SSE / df_SSE)
F_stat
[1] 474.3349

The F-stat is compared with a critical value of the F-statistic, which is computed using the formula for the f-distribution in R.

NoteDistribution of F

Why does the statistic \(F\) have an F-distribution? This is because the F-distribution is the distribution of the ratio of two scaled Chi-squared distributions. In our case, both \(SSR/df_{SSR}\) and \(SSE/df_{SSE}\) are scaled Chi-squared distributions, as they are sums of squares of normally distributed variables (the residuals). The ratio of these two independent Chi-squared variables, each divided by their respective degrees of freedom, follows an F-distribution with degrees of freedom \(df_1 = df_{SSR}\) and \(df_2 = df_{SSE}\). This is a fundamental result in statistics that underpins the use of the F-test in regression analysis.

As with our hypothesis tests, we set the significance level to 0.95, and quote the two relevant degrees of freedom as parameters to qf() which computes the critical F value as a quartile:

F_crit <- qf(
  p = 0.95, # Significance level is 5%
  df1 = df_SSR, # Numerator degrees of freedom
  df2 = df_SSE
) # Denominator degrees of freedom
F_crit
[1] 3.859975
F_stat
[1] 474.3349

The F_crit value can also be seen in a plot2:

Show the Code
mosaic::xpf(
  q = F_crit,
  df1 = df_SSR, df2 = df_SSE, digits = 3, plot = TRUE,
  return = c("plot"), verbose = F, alpha = 0.5, colour = "black",
  system = "gg"
) %>%
  gf_vline(xintercept = F_crit, color = "red") %>%
  gf_annotate(
    geom = "label", x = 3, y = 1.6, size = 6,
    label = "F Critical Value = 3.86", colour = "purple"
  ) %>%
  gf_annotate("curve",
    x = 3, y = 1.5,
    xend = F_crit - 0.025, yend = 1, curvature = 0.5,
    color = "purple", linewidth = 0.5,
    arrow = arrow(length = unit(0.25, "cm"))
  ) %>%
  gf_labs(
    title = "F Distribution",
    subtitle = paste("df1 =", df_SSR, ", df2 =", df_SSE),
    x = "F value", y = "Density"
  ) %>%
  gf_refine(
    scale_x_continuous(limits = c(0, 5), expand = c(0, 0)),
    scale_y_continuous(limits = c(0, 1.7), expand = c(0, 0))
  )
Figure 9: F Distribution with Critical Value

Any value of F more than the \(F_{crit}\) occurs with smaller probability than 0.05. Our F_stat is much higher than \(F_{crit}\), by orders of magnitude! And so we can say with confidence that rm has a significant effect on cmedv.

The value of R.squared is also calculated from the previously computed sums of squares:

\[ R.squared = \frac{SSR}{SST} = \frac{SSY-SSE}{SST} \tag{9}\]

r_squared <- (SST - SSE) / SST
r_squared
[1] 0.484839
# Also computable by
# mosaic::rsquared(housing_lm)

So R.squared = 0.484839

The value of Slope and Intercept are computed using a maximum likelihood derivation and the knowledge that the means square error is a minimum at the optimum slope: for a linear model \(y \sim mx + c\)

\[ slope = \frac{\Sigma[(y - y_{mean})*(x - x_{mean})]}{\Sigma(x - x_{mean})^2} \]

Tip

Note that the slope is equal to the ratio of the covariance of x and y to the variance of x.

and

\[ Intercept = y_{mean} - slope * x_{mean} \]

slope <- mosaic::cov(cmedv ~ rm, data = housing) / mosaic::var(~rm, data = housing)
slope
[1] 9.09967
##
intercept <- mosaic::mean(~cmedv, data = housing) - slope * mosaic::mean(~rm, data = housing)
intercept
[1] -34.65924

So, there we are! All of this is done for us by one simple formula, lm()!

7.5 Workflow: Model Checking and Diagnostics

We will follow much of the treatment on Linear Model diagnostics, given here on the STHDA website.

A first step of this regression diagnostic is to inspect the significance of the regression beta coefficients, as well as, the R.square that tells us how well the linear regression model fits to the data.

For example, the linear regression model makes the assumption that the relationship between the predictors (x) and the outcome variable is linear. This might not be true. The relationship could be polynomial or logarithmic.

Additionally, the data might contain some influential observations, such as outliers (or extreme values), that can affect the result of the regression.

Therefore, the regression model must be closely diagnosed in order to detect potential problems and to check whether the assumptions made by the linear regression model are met or not. To do so, we generally examine the distribution of residuals errors, that can tell us more about our data.

7.6 Workflow: Checks for Uncertainty

Let us first look at the uncertainties in the estimates of slope and intercept. These are most easily read off from the broom::tidy-ed model:

# housing_lm_tidy <-  housing_lm %>% broom::tidy()
housing_lm_tidy

Plotting this is simple too:

Show the Code
ggplot2::theme_set(new = theme_custom())

housing_lm_tidy %>%
  gf_col(estimate ~ term, fill = ~term, width = 0.25) %>%
  gf_hline(yintercept = 0) %>%
  gf_errorbar(conf.low + conf.high ~ term,
    width = 0.1,
    title = "Model Bar Plot for Estimates with Confidence Intervals"
  ) %>%
  gf_theme(theme = theme_custom())
##
housing_lm_tidy %>%
  gf_pointrange(estimate + conf.low + conf.high ~ term,
    title = "Model Point-Range Plot for Estimates with Confidence Intervals"
  ) %>%
  gf_hline(yintercept = 0) %>%
  gf_theme(theme = theme_custom())

The point-range plot helps to avoid what has been called “within-the-bar bias”. The estimate is just a value, which we might plot as a bar or as a point, with uncertainty error-bars.

Values within the bar are not more likely!! This is the bias that the point-range plot avoids.

7.7 Checks for Constant Variance/Heteroscedasticity

Linear Modelling makes 4 fundamental assumptions:(“LINE”)

  1. Linear relationship between y and x
  2. Observations are independent.
  3. Residuals are normally distributed
  4. Variance of the y variable is equal at all values of x.

We can check these using checks and graphs: Here we plot the residuals against the independent/feature variable and see if there is a gross variation in their range:

Show the Code
ggplot2::theme_set(new = theme_custom())

housing_lm_augment %>%
  gf_point(.resid ~ .fitted, title = "Residuals vs Fitted") %>%
  gf_smooth(method = "loess")

housing_lm_augment %>%
  gf_hline(yintercept = 0, colour = "grey", linewidth = 2) %>%
  gf_point(.resid ~ cmedv, title = "Residuals vs Target Variable")

housing_lm_augment %>%
  gf_dhistogram(~.resid, title = "Histogram of Residuals") %>%
  gf_fitdistr()

housing_lm_augment %>%
  gf_qq(~.resid, title = "Q-Q Residuals") %>%
  gf_qqline()
(a) Residuals vs Fitted Values
(b) Residuals vs Target Variable
(c) Histogram of Residuals
(d) Q-Q Plot of Residuals
Figure 10: Looking at Residuals

The residuals Figure 10 (a) are not quite “like the night sky”, i.e. not random enough; there seems to be some pattern still in them. These point to the need for a richer model, with more predictors.

The “trend line” of residuals vs predictors Figure 10 (a) shows a U-shaped pattern, indicating significant nonlinearity: there is a curved relationship in the graph. The solution can be a nonlinear transformation of the predictor variables, such as \(\sqrt(X)\), \(log(X)\), or even \(X^2\). For instance, we might try a model for cmedv using \(rm^2\) instead of just rm as we have done. This will still be a linear model!

The Q-Q plot of residuals Figure 10 (d) has significant deviations from the normal quartiles.

Apropos, the r-squared for a model lm(cmedv ~ rm^2) shows some improvement:

[1] 0.5501221

8 Extras

Using Other Packages

There is a very neat package called ggstatsplot3 that allows us to plot very comprehensive statistical graphs. Let us quickly do this:

ggplot2::theme_set(new = theme_custom())

library(ggstatsplot)
housing_lm %>%
  ggstatsplot::ggcoefstats(
    title = "Linear Model for Boston Housing",
    subtitle = "Using ggstatsplot"
  )

This chart shows the estimates for the intercept and rm along with their error bars, the t-statistic, degrees of freedom, and the p-value.

We can also obtain crisp-looking model tables from the new supernova package 4, which is based on the methods discussed in Judd et al.

library(supernova)
supernova::supernova(housing_lm)
 Analysis of Variance Table (Type III SS)
 Model: cmedv ~ rm

                                SS  df        MS       F   PRE     p
 ----- --------------- | --------- --- --------- ------- ----- -----
 Model (error reduced) | 20643.347   1 20643.347 474.335 .4848 .0000
 Error (from model)    | 21934.392 504    43.521                    
 ----- --------------- | --------- --- --------- ------- ----- -----
 Total (empty model)   | 42577.739 505    84.312                    

This table is very neat in that it gives the Sums of Squares for both the NULL (empty) model, and the current model for comparison. The PRE entry is the Proportional Reduction in Error, a measure that is identical with r.squared, which shows how much the model reduces the error compared to the NULL model(48%). The PRE idea is nicely discussed in Judd et al.

Workflow: Model Diagnostic Plots

Tip

Base R has a crisp command to plot these diagnostic graphs. But we will continue to use ggformula.

plot(housing_lm)
(a) Residuals vs Fitted Values
(b) Normal Q-Q Plot
(c) Scale-Location Plot
(d) Residuals vs Leverage
Figure 11: Using Base R for Model Diagnostics
Tip

One of the ggplot extension packages named lindia also has a crisp command to plot these diagnostic graphs.

ggplot2::theme_set(new = theme_bw())

library(lindia)
gg_diagnose(housing_lm,
  mode = "base_r"
) # or "all"
Figure 12: Using the lindia package for Model Diagnostics

Multiple Regression

NoteMultiple Regression

It is also possible that there is more than one explanatory variable: this is multiple regression.

\[ y = \beta_0 + \beta_1*x_1 + \beta_2*x_2 ...+ \beta_n*x_n \tag{10}\]

where each of the \(\beta_i\) are slopes defining the relationship between y and \(x_i\). Note that this is a vector dot-product, or inner-product, taken with a vector of input variables \(x_i\) and a vector of weights, \(\beta_i\). Together, the RHS of that equation defines an n-dimensional hyperplane. The model is linear in the parameters \(\beta_i\), e.g. these are OK:

\[ \color{black}{ \begin{cases} & y_i = \pmb\beta_0 + \pmb\beta_1x_1 + \pmb\beta_2x_1^2 + \epsilon_i\\ & y_1 = \pmb\beta_0 + \pmb\gamma_1\pmb\delta_1x_1 + exp(\pmb\beta_2)x_2+ \epsilon_i\\ \end{cases} } \]

but not, for example, these:

\[ \color{red}{ \begin{cases} & y_i = \pmb\beta_0 + \pmb\beta_1x_1^{\beta_2} + \epsilon_i\\ & y_i = \pmb\beta_0 + exp(\pmb\beta_1x_1) + \epsilon_i\\ \end{cases} } \]

There are three ways5 to include more predictors:

  • Backward Selection: We would typically start with a maximal model6 and progressively simplify the model by knocking off predictors that have the least impact on model accuracy.
  • Forward Selection: Start with no predictors and systematically add them one by one to increase the quality of the model
  • Mixed Selection: Wherein we start with no predictors and add them to gain improvement, or remove them at as their significance changes based on other predictors that have been added.

The first two are covered in the Section 1; Mixed Selection we will leave for a more advanced course. But for now we will first use just one predictor rm(Avg. no. of Rooms) to model housing prices.

9 Conclusions

We have seen how starting from a basic EDA of the data, we have been able to choose a single Quantitative predictor variable to model a Quantitative target variable, using Linear Regression. As stated earlier, we may have wish to use more than one predictor variables, to build more sophisticated models with improved prediction capability. And there is more than one way of selecting these predictor variables, which we will examine in the Tutorials.

Secondly, sometimes it may be necessary to mathematically transform the variables in the dataset to enable the construction of better models, something that was not needed here.

We may also encounter cases where the predictor variables seem to work together; one predictor may influence “how well” another predictor works, something called an interaction effect or a synergy effect. We might then have to modify our formula to include interaction terms that look like \(predictor1 \times predictor2\).

So our Linear Modelling workflow might look like this: we have not seen all stages yet, but that is for another course module or tutorial!

Our Linear Regression WorkflowDataEDACheck RelationshipsBuild ModelTransform VariablesTry Multiple Regression and/or interaction effectsCheck Model DiagnosticsCheck R^2Interpret ModelApply ModelSimple orComplex Model DecisionIs the Model Possible?inspectggformulaglimpseskimcorrplotcorrgramggformula + purrrcor.testAll GoodInadequate11 Still Inadequate22Check R^2

10 References

  1. https://mlu-explain.github.io/linear-regression/
  2. The Boston Housing Dataset, corrected version. StatLib @ CMU, lib.stat.cmu.edu/datasets/boston_corrected.txt
  3. https://feliperego.github.io/blog/2015/10/23/Interpreting-Model-Output-In-R
  4. Andrew Gelman, Jennifer Hill, Aki Vehtari. Regression and Other Stories, Cambridge University Press, 2023.Available Online
  5. Michael Crawley.(2013). The R Book,second edition. Chapter 11.
  6. Gareth James, Daniela Witten, Trevor Hastie, Robert Tibshirani, Introduction to Statistical Learning, Springer, 2021. Chapter 3. https://www.statlearning.com/
  7. David C Howell, Permutation Tests for Factorial ANOVA Designs
  8. Marti Anderson, Permutation tests for univariate or multivariate analysis of variance and regression
  9. http://r-statistics.co/Assumptions-of-Linear-Regression.html
  10. Judd, Charles M., Gary H. McClelland, and Carey S. Ryan. 2017. “Introduction to Data Analysis.” In, 1–9. Routledge. https://doi.org/10.4324/9781315744131-1. Also see http://www.dataanalysisbook.com/index.html
  11. Patil, I. (2021). Visualizations with statistical details: The ‘ggstatsplot’ approach. Journal of Open Source Software, 6(61), 3167,https://doi:10.21105/joss.03167
R Package Citations
Package Version Citation
broom 1.0.10 Robinson, Hayes, and Couch (2025)
corrgram 1.14 Wright (2021)
corrplot 0.95 Wei and Simko (2024)
geomtextpath 0.2.0 Cameron and van den Brand (2025)
GGally 2.4.0 Schloerke et al. (2025)
ggstatsplot 0.13.2 Patil (2021)
ISLR 1.4 James et al. (2021)
janitor 2.2.1 Firke (2024)
lindia 0.10 Lee and Ventura (2023)
reghelper 1.1.2 Hughes and Beiner (2023)
supernova 3.0.0 Blake et al. (2024)
Blake, Adam, Jeff Chrabaszcz, Ji Son, and Jim Stigler. 2024. supernova: Judd, McClelland, & Ryan Formatting for ANOVA Output. https://doi.org/10.32614/CRAN.package.supernova.
Cameron, Allan, and Teun van den Brand. 2025. geomtextpath: Curved Text in “ggplot2”. https://doi.org/10.32614/CRAN.package.geomtextpath.
Firke, Sam. 2024. janitor: Simple Tools for Examining and Cleaning Dirty Data. https://doi.org/10.32614/CRAN.package.janitor.
Hughes, Jeffrey, and David Beiner. 2023. reghelper: Helper Functions for Regression Analysis. https://doi.org/10.32614/CRAN.package.reghelper.
James, Gareth, Daniela Witten, Trevor Hastie, and Rob Tibshirani. 2021. ISLR: Data for an Introduction to Statistical Learning with Applications in r. https://doi.org/10.32614/CRAN.package.ISLR.
Lee, Yeuk Yu, and Samuel Ventura. 2023. lindia: Automated Linear Regression Diagnostic. https://doi.org/10.32614/CRAN.package.lindia.
Patil, Indrajeet. 2021. “Visualizations with statistical details: The ‘ggstatsplot’ approach.” Journal of Open Source Software 6 (61): 3167. https://doi.org/10.21105/joss.03167.
Robinson, David, Alex Hayes, and Simon Couch. 2025. broom: Convert Statistical Objects into Tidy Tibbles. https://doi.org/10.32614/CRAN.package.broom.
Schloerke, Barret, Di Cook, Joseph Larmarange, Francois Briatte, Moritz Marbach, Edwin Thoen, Amos Elberg, and Jason Crowley. 2025. GGally: Extension to “ggplot2”. https://doi.org/10.32614/CRAN.package.GGally.
Wei, Taiyun, and Viliam Simko. 2024. R Package “corrplot”: Visualization of a Correlation Matrix. https://github.com/taiyun/corrplot.
Wright, Kevin. 2021. corrgram: Plot a Correlogram. https://doi.org/10.32614/CRAN.package.corrgram.
Back to top

Footnotes

  1. The model is linear in the parameters \(\beta_i\), e.g. We can have this:↩︎

  2. Michael Crawley, The R Book, Third Edition 2023. Chapter 9. Statistical Modelling↩︎

  3. https://indrajeetpatil.github.io/ggstatsplot/reference/ggcoefstats.html↩︎

  4. https://github.com/UCLATALL/supernova↩︎

  5. Gareth James, Daniela Witten, Trevor Hastie, Robert Tibshirani, Introduction to Statistical Learning, Springer, 2021. Chapter 3. Linear Regression. Available Online↩︎

  6. Michael Crawley, The R Book, Third Edition 2023. Chapter 9. Statistical Modelling↩︎

Citation

BibTeX citation:
@online{v.2023,
  author = {V., Arvind},
  title = {Modelling with {Linear} {Regression}},
  date = {2023-04-13},
  url = {https://madhatterguide.netlify.app/content/courses/Analytics/30-Modelling/Modules/20-LinReg/},
  langid = {en},
  abstract = {Predicting Quantitative Target Variables}
}
For attribution, please cite this work as:
V., Arvind. 2023. “Modelling with Linear Regression.” April 13, 2023. https://madhatterguide.netlify.app/content/courses/Analytics/30-Modelling/Modules/20-LinReg/.
Modelling
Modelling with Logistic Regression

License: CC BY-SA 2.0

Website made with ❤️ and Quarto, by Arvind V.

Hosted by Netlify .