Preliminaries
Some extra background reading
A Note on terminology
The methods we’re going to learn about in the first five weeks of this course are known by lots of different names: “multilevel models”; “hierarchical linear models”; “mixed-effect models”; “mixed models”; “nested data models”; “random coefficient models”; “random-effects models”; “random parameter models”… and so on).
What the idea boils down to is that model parameters vary at more than one level. This week, we’re going to explore what that means.
Throughout this course, we will tend to use the terms “mixed effect model”, “linear mixed model (LMM)” and “multilevel model (MLM)” interchangeably.
These are the main packages we’re going to use in this block. It might make sense to install them now if you do not have them already (note, the rstudio.ppls.ed.ac.uk server already has lme4
and tidyverse
installed for you).
install.packages(c("tidyverse","ICC","lme4","effects","broom.mixed","sjPlot","HLMdiag"))
# the lmeresampler package has had some recent updates. better to install the most recent version:
install.packages("devtools")
devtools::install_github("aloy/lmeresampler")
Data: New Toys!
Recall the example from last semesters’ USMR course, where the lectures explored linear regression with a toy dataset of how practice influences the reading age of Playmobil characters:
variable | description |
---|---|
toy_type | Type of Toy |
toy | Character |
hrs_week | Hours of practice per week |
age | Age (in years) |
R_AGE | Reading Age |
Recall that in the course last semester we learned all about the linear regression model:
\[ \begin{align} & \text{for observation }i: \\ \\ & \qquad y_i = \color{blue}{\beta_0} \cdot 1 + \color{blue}{\beta_1} \cdot x_{1i} + \dots + \color{blue}{\beta_p} \cdot x_{pi} + \color{red}{\varepsilon_i} \\ \end{align} \]
We used the following colour-coding:
(You might be more familiar with the notation of \(b\) rather than \(\beta\), but they’re the same thing here).
If we wanted to write this more simply, we can express \(x_1\) to \(x_p\) (our predictor variables) as an \(n \times p\) matrix (samplesize \(\times\) parameters), and \(\beta_0\) to \(\beta_p\) as a vector of coefficients:
\[ \mathbf{y} = \boldsymbol{X} \boldsymbol{\beta} + \boldsymbol{\varepsilon} \quad \text{where} \quad \varepsilon \sim N(0, \sigma) \text{ independently} \]
Read in the toy data from https://uoepsy.github.io/data/toyexample.csv and plot the bivariate relationship between Reading Age and Hrs per Week practice, and then fit the simple linear model: \[ \text{Reading Age}_i = \beta_0 + \beta_1 \cdot \text{Hours per week practice}_i + \varepsilon_i \]
Think about the assumptions we make about our model: \[ \text{where} \quad \varepsilon_i \sim N(0, \sigma) \text{ independently} \] Have we satisfied this assumption (specifically, the assumption of independence of errors)?
Try running the code below.
ggplot(data = toys_read, aes(x=hrs_week, y=R_AGE))+
geom_point()+
geom_smooth(method="lm",se=FALSE)
Then try editing the code to include an aesthetic mapping from the type of toy to the color in the plot.
How do your thoughts about the relationship between Reading Age and Practice change?
Complete Pooling
We can consider the simple regression model (lm(R_AGE ~ hrs_week, data = toys_read)
) to “pool” the information from all observations together. In this ‘Complete Pooling’ approach, we simply ignore the natural clustering of the toys, as if we were unaware of it. The problem is that this assumes the same regression line for all toy types, which might not be that appropriate:
No Pooling
There are various ways we could attempt to deal with the problem that our data are in groups (or “clusters”). With the tools you have learned in DAPR2, you may be tempted to try including toy type in the model as another predictor, to allow for some toy types being generally better than others:
lm(R_AGE ~ hrs_week + toy_type, data = toys_read)
Or even to include an interaction to allow for toy types to respond differently to practice:
lm(R_AGE ~ hrs_week * toy_type, data = toys_read)
This approach gets termed the “No Pooling” method, because the information from each cluster contributes only to an estimated parameter for that cluster, and there is no pooling of information across clusters. This is a good start, but it means that a) we are estimating a lot of parameters, and b) we are not necessarily estimating the parameter of interest (the overall effect of practice on reading age). Furthermore, we’ll probably end up having high variance in the estimates at each group.
Fit a linear model which accounts for the grouping of toys into their different types, but holds the effect of practice-hours-per-week on reading age as constant across types:
mod1 <- lm(R_AGE ~ hrs_week + toy_type, data = toys_read)
Can you construct a plot of the fitted values from this model, coloured by toy_type?
(Hint: you might want to use the augment()
function from the broom package)
What happens (to the plot, and to your parameter estimates) when you include the interaction between toy_type
and hrs_week
?
Multilevel Models (MLMs) (or “Linear Mixed Models” (LMMs)) take the approach of allowing the groups/clusters to vary around our \(\beta\) estimates.
Equation
In the lectures, we saw this as:
\[ \begin{align} & \text{for observation }j\text{ in group }i: \\ \quad \\ & \text{level 1:} \\ & \qquad y_{ij} = \color{green}{\beta_{0i}} \cdot 1 + \color{green}{\beta_{1i}} \cdot x_{ij} + \color{red}{\varepsilon_{ij}} \\\\ & \text{level 2:} \\ & \qquad \color{green}{\beta_{0i}} = \color{blue}{\gamma_{00}} + \color{red}{\zeta_{0i}} \\ & \qquad \color{green}{\beta_{1i}} = \color{blue}{\gamma_{10}} + \color{red}{\zeta_{1i}} \\ \quad \\ & \text{where:} \\ & \qquad \color{blue}{\gamma_{00}} \text{ is the population intercept, and }\color{red}{\zeta_{0i}}\text{ is the deviation of group }i\text{ from }\color{blue}{\gamma_{00}} \\ & \qquad \color{blue}{\gamma_{10}} \text{ is the population slope, and }\color{red}{\zeta_{1i}}\text{ is the deviation of group }i\text{ from }\color{blue}{\gamma_{10}} \\ & \qquad \color{red}{\varepsilon_{ij}} \text{ is the deviation between a point and the line of the group that point belongs to} \end{align} \]
We are now assuming \(\color{red}{\zeta_0}\), \(\color{red}{\zeta_1}\), and \(\color{red}{\varepsilon}\) to be normally distributed with a mean of 0, and we denote their variances as \(\sigma_{\zeta_0}^2\), \(\sigma_{\zeta_1}^2\), \(\sigma_{\varepsilon}^2\) respectively.
The \(\color{red}{\zeta}\) components also get termed the “random effects” part of the model, Hence names like “random effects model”, etc.
We used the following colour-coding:
Visually
In blue you see the overall line with the overall intercept \(\color{blue}{\gamma_{00}}\) and slope \(\color{blue}{\gamma_{10}}\)
In green you see the line of a specific group (the green points). The green group has a line with a different intercept and slope from the overall line (in blue). Multilevel models specify group-specific lines in relation to the overall line. As such, the intercept of the group-specific line \(\color{green}{\beta_{0i}}\) is written as the overall intercept \(\color{blue}{\gamma_{00}}\) plus a group-specific random adjustment \(\color{red}{\zeta_{0i}}\). Similarly, the group-specific slope \(\color{green}{\beta_{1i}}\) is written as the overall slope \(\color{blue}{\gamma_{10}}\) plus a group-specific random adjustment \(\color{red}{\zeta_{1i}}\).
The residuals \(\color{red}{\varepsilon_{ij}}\) represent the deviations of each point to the group-specific line.
The random adjustment to the intercept, \(\color{red}{\zeta_{0i}}\) is a random variable called the random intercept, and has mean zero and variance \(\sigma^2_{\zeta_{0}} = \text{Var}(\zeta_{0,\text{group1}}, ..., \zeta_{0,\text{groupG}})\).
The random adjustment to the slope, \(\color{red}{\zeta_{1i}}\) is a random variable called the random slope, and has mean zero and variance \(\sigma^2_{\zeta_{1}} = \text{Var}(\zeta_{1,\text{group1}}, ..., \zeta_{1,\text{groupG}})\).
We’re going to use the lme4
package, and specifically the functions lmer()
and glmer()
.
“(g)lmer” here stands for “(generalised) linear mixed effects regression”.
We write the first bit of our formula just the same as our old friend the normal linear model y ~ 1 + x + x2 + ...
, where y
is the name of our outcome variable, 1
is the intercept (which we don’t have to explicitly state as it will be included anyway) and x
, x2
etc are the names of our explanatory variables.
With lme4, we now have the addition of random effect terms, specified in parenthesis with the |
operator (the vertical line | is often found to the left of the z key on QWERTY keyboards).
We use the |
operator to separate the parameters (intercept, slope etc.) on the LHS, from the grouping variable(s) on the RHS, by which we would like to model these parameters as varying.
Random Intercept
Let us suppose that we wish to model our intercept not as a fixed constant, but as varying randomly according to some grouping around a fixed center.
We can such a model by allowing the intercept to vary by our grouping variable (g
below):
lmer(y ~ 1 + x + (1|g), data = df)
\[ \begin{align} & \text{level 1:} \\ & \qquad y_{ij} = \color{green}{\beta_{0i}} \cdot 1 + \color{blue}{\beta_{1}} \cdot x_{ij} + \color{red}{\varepsilon_{ij}} \\ & \text{level 2:} \\ & \qquad \color{green}{\beta_{0i}} = \color{blue}{\gamma_{00}} + \color{red}{\zeta_{0i}} \\ \end{align} \]
Random Slope
By extension we can also allow the effect y~x
to vary between groups, by including the x
on the left hand side of |
in the random effects part of the call to lmer()
.
lmer(y ~ 1 + x + (1 + x |g), data = df)
\[ \begin{align} & \text{level 1:} \\ & \qquad y_{ij} = \color{green}{\beta_{0i}} \cdot 1 + \color{green}{\beta_{1i}} \cdot x_{ij} + \color{red}{\varepsilon_{ij}} \\ & \text{level 2:} \\ & \qquad \color{green}{\beta_{0i}} = \color{blue}{\gamma_{00}} + \color{red}{\zeta_{0i}} \\ & \qquad \color{green}{\beta_{1i}} = \color{blue}{\gamma_{10}} + \color{red}{\zeta_{1i}} \\ \end{align} \]
Remember back to Week 10 of USMR, when we introduced the generalised linear model (GLM) we briefly discussed Maximum likelihood in an explanation of how models are fitted.
The key idea of maximum likelihood estimation (MLE) is that we (well, the computer) iteratively finds the set of estimates for our model which it considers to best reproduce our observed data. Recall our simple linear regression model of how practice (hrs per week) affects reading age: \[ \text{ReadingAge}_i = \color{blue}{\beta_0} \cdot 1 + \color{blue}{\beta_1} \cdot\text{Practice}_{i} + \color{red}{\varepsilon_i} \] There are values of \(\beta_0\) and \(\beta_1\) and \(\sigma_\varepsilon\) which maximise the probability of observing the data that we have. For linear regression, these we obtained these same values a different way, via minimising the sums of squares. And we saw that this is not possible for more complex models (e.g., logistic), which is where we turn to MLE.
To read about the subtle difference between “likelihood” and “probability”, you can find a short explanation here.
When it comes to estimating multilevel models, maximum likelihood will consider the fixed effects as unknown values in its estimation of the variance components (the random effect variances). This leads to biased estimates of the variance components, specifically biasing them toward being too small, especially if \(n_\textrm{clusters} - n_\textrm{level 2 predictors} - 1 < 50\). Restricted Maximum Likelihood (REML), however, separates the estimation of fixed and random parts of the model, leading to unbiased estimates of the variance components.
lmer()
models are by default fitted with REML. This is better for small samples.
Comparing Models, ML & REML
When we compare models that differ in their fixed effects via comparing model deviance (e.g. the likelihood ratio), REML should not be used as only the variance components are included in the likelihood. Functions like anova()
will automatically refit your models with ML
for you, but it is worth checking.
We cannot compare (either with ML or REML) models that differ in both the fixed and random parts.
For large datasets and/or complex models (lots of random-effects terms), it is quite common to get a convergence warning. There are lots of different ways to deal with these (to try to rule out hypotheses about what is causing them).
We will come back to these in more detail but for now, if lmer()
gives you convergence errors, you could try changing the optimizer. Bobyqa is a good one: add control = lmerControl(optimizer = "bobyqa")
when you run your model.
lmer(y ~ 1 + x1 + ... + (1 + .... | g), data = df,
control = lmerControl(optimizer = "bobyqa"))
Recall our toy example data in which we might use linear regression to determine how practice (in hours per week) influences the reading age of different toy figurines. We have data on various types of toys, from Playmobil to Powerrangers, to Farm Animals.
toys_read <- read_csv("https://uoepsy.github.io/data/toyexample.csv")
Using lmer()
from the lme4 package, fit a model of practice (hrs_week
) predicting Reading age (R_AGE
), with by-toytype random intercepts.
Pass the model to summary()
to see the output.
Sometimes the easiest way to start understanding your model is to visualise it.
Load the package broom.mixed. Along with some handy functions tidy()
and glance()
which give us the information we see in summary()
, there is a handy function called augment()
which returns us the data in the model plus the fitted values, residuals, hat values, Cook’s D etc..
ri_model <- lmer(R_AGE ~ hrs_week + (1 | toy_type), data = toys_read)
library(broom.mixed)
augment(ri_model)
## # A tibble: 132 × 14
## R_AGE hrs_week toy_type .fitted .resid .hat .cooksd .fixed .mu .offset
## <dbl> <dbl> <fct> <dbl> <dbl> <dbl> <dbl> <dbl> <dbl> <dbl>
## 1 9.31 3.84 Furby 10.0 -0.701 0.122 7.75e-3 6.06 10.0 0
## 2 12.2 4.88 Toy Story 12.1 0.105 0.142 2.14e-4 7.26 12.1 0
## 3 8.08 3.48 Stretch A… 6.02 2.06 0.192 1.25e-1 5.64 6.02 0
## 4 9.08 3.68 Peppa Pig 6.05 3.03 0.126 1.52e-1 5.87 6.05 0
## 5 2.07 2.96 Lego Mini… 0.621 1.45 0.146 4.20e-2 5.04 0.621 0
## 6 10.2 3.71 G.I.Joe 11.9 -1.67 0.122 4.41e-2 5.91 11.9 0
## 7 8.05 3.73 Minecraft 7.97 0.0730 0.139 9.96e-5 5.94 7.97 0
## 8 11.6 4.59 Polly Poc… 9.99 1.60 0.172 6.42e-2 6.92 9.99 0
## 9 12.3 4.01 Star Wars 11.2 1.13 0.140 2.40e-2 6.25 11.2 0
## 10 5.06 4.37 Sock Pupp… 4.89 0.171 0.163 6.78e-4 6.67 4.89 0
## # … with 122 more rows, and 4 more variables: .sqrtXwt <dbl>, .sqrtrwt <dbl>,
## # .weights <dbl>, .wtres <dbl>
Add to the code below to plot the model fitted values, and color them according to toy type.
(you will need to edit ri_model
to be whatever name you assigned to your model).
augment(ri_model) %>%
ggplot(aes(x = hrs_week, y = ......
We have just fitted the model: \[ \begin{align} & \text{for toy } j \text{ of toy-type } i \\ \\ &\text{level 1:}\\ & \qquad \text{ReadingAge}_{ij} = \color{green}{\beta_{0i}} \cdot 1 + \color{blue}{\beta_{1}} \cdot \text{Practice}_{ij} + \color{red}{\varepsilon_{ij}} \\ \\ &\text{level 2:}\\ & \qquad \color{green}{\beta_{0i}} = \color{blue}{\gamma_{00}} + \color{red}{\zeta_{0i}} \\ \end{align} \]
For our estimates of \(\gamma_{00}\) (the fixed value around which toy-type intercepts vary) and \(\beta_1\) (the fixed estimate of the relationship between reading age and practice), we can use fixef()
.
fixef(ri_model)
## (Intercept) hrs_week
## 1.627422 1.154725
Can you add to the plot in the previous question, a thick black line with the intercept and slope given by fixef()
?
Hint: geom_abline()
We’re going to map the parts of the plot in Figure 6 to the summary()
output of the model in Figure 7. Match the coloured sections Red, Orange, Yellow and Blue in Figure 7 to the descriptions below of 6 A through D.
Can you now map those same coloured sections in Figure 7 to the mathematical terms in the model equation:
\[ \begin{align} & \text{level 1:} \\ & \qquad \text{ReadingAge}_{ij} = \color{green}{\beta_{0i}} \cdot 1 + \color{blue}{\beta_{1}} \cdot \text{Practice}_{ij} + \color{red}{\varepsilon_{ij}} \\ \\ & \text{level 2:} \\ & \qquad \color{green}{\beta_{0i}} = \color{blue}{\gamma_{00}} + \color{red}{\zeta_{0i}} \\ \quad \\ & \text{where:} \\ & \qquad \color{red}{\zeta_0} \sim N(0, \sigma_{\zeta_{0}}) \text{ independently} \\ & \qquad \color{red}{\varepsilon} \sim N(0, \sigma_{\varepsilon}) \text{ independently} \\ \end{align} \]
Fit a model which allows also (along with the intercept) the effect of practice (hrs_week
) to vary by-toytype.
Then, using augment()
again, plot the model fitted values. What do you think you will see?
Plot the model fitted values but only for the Farm Animals and the Scooby Doo toys, and add the observed reading ages too.
Do this for both the model with the random intercept only, and the model with both the random intercept and slope.
While the toy example considers the groupings or ‘clusters’ of different types of toy, a more relate-able grouping in psychological research is that of several observations belonging to the same individual. One obvious benefit of this is that we can collect many more observations with fewer participants, and account for the resulting dependency of observations.
Data: Raising the stakes
30 volunteers from an amateur basketball league participated in a study on stress induced by size and type of potential reward for successfully completing a throw. Each participant completed 20 trials in which they were tasked with throwing a basketball and scoring a goal in order to win a wager. The size of the wager varied between trials, ranging from 1 to 20 points, with the order randomised for each participant. If a participant successfully threw the ball in the basket, then their score increased accordingly. If they missed, their score decreased accordingly. Participants were informed of the size of the potential reward/loss prior to each throw.
To examine the influence of the type of reward/loss on stress-levels, the study consisted of two conditions. In the monetary condition, (n = 15) participants were informed at the start of the study that the points corresponded to a monetary reward, and that they would be given their total score in £ at the end of the study. In the reputation condition, (n = 15) participants were informed that the points would be inputted on to a scoreboard and distributed around the local basketball clubs and in the league newsletter.
Throughout each trial, participants’ heart rate variability (HRV) was measured via a chest strap. HRV is considered to be indirectly related to levels of stress (i.e., higher HRV = less stress).
The data is in stored in two separate files.
variable | description |
---|---|
stakes | Points at stake (e.g. size of reward |
condition | Whether the participants are in the monetary condition or the reputation condition. In the monetary condition (labelled ‘money’), points = £. In the reptutation condition (labelled ‘kudos’), points = points on the scoreboard |
sub | participant ID |
throw | whether the participant successfully threw the ball in the basekt |
trial_no | Trial number for each participant (each participant completed 20 trials) |
success_rate | Success rate of throws at each trial |
The code below reads in and joins the two datasets together.
Think back to all the data wrangling skills you learned about back in USMR. Run bits of the code at a time to see what each bit does, and try to understand how it works.
bball <-
left_join(
read_csv("https://uoepsy.github.io/data/basketballconditions_msmr.csv"),
read_csv("https://uoepsy.github.io/data/bballhrv_msmr.csv") %>%
pivot_longer(trial_1:trial_20, names_to = "trial_no", values_to = "hrv")
) %>%
mutate(sub = factor(sub))
The Basketball/HRV research study is concerned with how the size and type of potential reward influence stress levels (as measured by heart rate variability):
How do size and type of reward/loss interact to influence levels of stress?
Remember to think about:
Can you fit a linear mixed model to examine the effects of size and type of reward on HRV, and their interaction?
Tip: If you get an error about model convergence, consider changing the optimiser (see above)
What, no p-values?
You might notice that we don’t have any p-values! We’ll into the reasons for this a bit more at the start of next week’s lab, but Dan mentioned a few options in the lecture already:
anova(model0, model1)
.confint(model, method="boot")
.Construct some bootstrapped confidence intervals for your fixed effects.
Then, using the sjPlot package, produce a plot of the interaction between size and type of reward on HRV. Before you get R to make your plot, can you predict what it is going to look like?
Image sources:
http://tophatsasquatch.com/2012-tmnt-classics-action-figures/
https://www.dezeen.com/2016/02/01/barbie-dolls-fashionista-collection-mattel-new-body-types/
https://www.wish.com/product/5da9bc544ab36314cfa7f70c
https://www.worldwideshoppingmall.co.uk/toys/jumbo-farm-animals.asp
https://www.overstock.com/Sports-Toys/NJ-Croce-Scooby-Doo-5pc.-Bendable-Figure-Set-with-Scooby-Doo-Shaggy-Daphne-Velma-and-Fred/28534567/product.html
https://tvtropes.org/pmwiki/pmwiki.php/Toys/Furby
https://www.fun.com/toy-story-4-figure-4-pack.html
https://www.johnlewis.com/lego-minifigures-71027-series-20-pack/p5079461↩︎