Let’s say you are one of the many people of Bachelor Nation frustrated that yet again the producers have decided to delay the Rose Ceremony by a week. You’ve seen all the drama of week five, yet still do not know who Matt James will choose to send home.
As infuriating as the situation in which you find yourself is, you have one thing in your back pocket that can help get you through this waiting period: data.
You have secret intel on how much Matt James likes (on a scale from 0 to 100) each of the remaining contestants. Matt has been rating each of the contestants along this dimension after each interaction (e.g., 1-1 date, group date, cocktail party, etc.). You just happened to have stumbled upon this log indicating his preferences (perhaps Reality Steve leaked it!), and now you’d like to use what information you know about his preferences to predict what will happen in next week’s episode.
A few pieces of key information
The Bachelor: 
The remaining contestants: 
The 15 Women Left on the Show
So how can we best leverage this secret intel we have? How can we make the best prediction possible?
Within this data set, we have multiple observations for each person, so it’d be great if we could use all of that information to inform the predictions.
We also know a few things about each person that could be informative (e.g., occupation, race, age, audience likability, Matt’s attractiveness ratings).
dplyr::select(df, contestant, interactions, like, PA, attractiveness) %>% head() # to provide overall structure of the data set| contestant | interactions | like | PA | attractiveness | 
|---|---|---|---|---|
| Abigail | 1 | 80 | 7 | 8 | 
| Abigail | 2 | 75 | 8 | 8 | 
| Abigail | 3 | 70 | 6 | 8 | 
| Abigail | 4 | 75 | 7 | 8 | 
| Abigail | 5 | 79 | 7 | 8 | 
| Abigail | 6 | 74 | 6 | 8 | 
Question 1: Does Matt like individuals who display more positive affect in their interactions with him?
Question 2: Is Matt’s liking of individuals driven by their baseline attractiveness (i.e., first impression)?
Let’s see what happens when take this tack.
summary(Q1 <- lm(like ~ attractiveness, df))## 
## Call:
## lm(formula = like ~ attractiveness, data = df)
## 
## Residuals:
##     Min      1Q  Median      3Q     Max 
## -19.583  -6.583   0.731   5.668  23.293 
## 
## Coefficients:
##                Estimate Std. Error t value Pr(>|t|)    
## (Intercept)      34.952      5.631    6.21  6.5e-09 ***
## attractiveness    5.251      0.743    7.07  8.2e-11 ***
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Residual standard error: 8.5 on 132 degrees of freedom
## Multiple R-squared:  0.275,  Adjusted R-squared:  0.269 
## F-statistic:   50 on 1 and 132 DF,  p-value: 8.21e-11ggplot(df, aes(x= attractiveness, y = like)) + geom_point() + geom_smooth(method = "lm")## `geom_smooth()` using formula 'y ~ x'summary(Q2 <- lm(like ~ PA, df))## 
## Call:
## lm(formula = like ~ PA, data = df)
## 
## Residuals:
##    Min     1Q Median     3Q    Max 
## -23.74  -5.65   1.08   6.08  27.17 
## 
## Coefficients:
##             Estimate Std. Error t value Pr(>|t|)    
## (Intercept)   53.460      3.324   16.08  < 2e-16 ***
## PA             3.183      0.492    6.47  1.8e-09 ***
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Residual standard error: 8.7 on 132 degrees of freedom
## Multiple R-squared:  0.241,  Adjusted R-squared:  0.235 
## F-statistic: 41.9 on 1 and 132 DF,  p-value: 1.75e-09ggplot(df, aes(x= PA, y = like)) + geom_point() + geom_smooth(method = "lm")## `geom_smooth()` using formula 'y ~ x'While we certainly see that Matt’s liking of contestants is predicted by positive affect shown and attractiveness of the contestants, how trustworthy is this effect really? How well do we meet the assumptions of the GLM?
In other words, if we were to fit an intercept only model, would the residuals for one contestant be more related than the residuals from another contestant?
Indeed, that is the case. For example, in an intercept only model, Serena C’s residuals would all be negative and Michelle’s residuals would all be positive.
\[ ICC = \frac{s^2_b}{s^2_b + s^2_w} \] where \(s^2_b\) is the sample variance between cluster and \(s^2_w\) is the sample variance within cluster.
In other words, ICC quantifies how much between-cluster variance there is compared to within cluster variance.
As within-cluster variance increases (holding between-cluster variance constant), ICC approaches 0. As between-cluster variances increases (holding within-cluster variance constant), ICC approaches 1.
The larger ICC is, the more the clustering structure impacts the outcome variable of interest. In other words, the closer ICC is to 1, the more severely our data violate the assumption of independent residuals made by GLM. As ICC nears 0, MLM becomes equivalent to GLM.
ICC helps us determine how necessary accounting for clustering is within our data. As discussed later, ICC can provide an intuition for how drastically misestimated our test statistics from our GLM are.
ICC greater than or equal to .1 indicates a need to account for clustering.
ICCs of .1 - .3 are common for individuals nested within group.
rfx_model <- lmer(like ~ 1 + (1|contestant), df)
performance::icc(rfx_model) # .74## # Intraclass Correlation Coefficient
## 
##      Adjusted ICC: 0.742
##   Conditional ICC: 0.742In summary, the variable contestant is an important nesting variable.
N.B. Effective sample size refers to the number of statistically independent observations. That is, even if there are 1,000 observations per individual, if each of those observations is highly related (e.g., r = .9), then we’re not actually getting 1,000 unique pieces of information per individual.
\[ ESS = \frac{m*k}{1 + ICC*(n-1)} \] where \(m\) is the number of observations in a cluster and \(k\) is the number of clusters (or \(m*k\) is the total number of observations across clusters)
In our Bachelor example…
mk = 131
n = 131/15 # average number of observations across clusters
mk/(1 + .74*(n - 1))## [1] 19.5Despite having 131 observations of data, the substantial clustering in our data mean that we actually have an ESS of 19.5!
As a result of df being underestimated, F- and t-tests are incorrect, inflating Type I error.
Without handling clustering and centering properly, we are left not knowing what is within versus between person effect.
Because we have multiple observations per person, we can’t use GLM without violating the assumption of independence of errors.
So because we’ve violated the assumptions of GLM, we could just take each person’s mean (or other summary statistic) to see who’s ranked highest…
df %>% group_by(contestant) %>% summarise(avg_like = mean(like)) %>% ungroup() %>% arrange(desc(avg_like)) %>% head(15)| contestant | avg_like | 
|---|---|
| Michelle | 90.0 | 
| Rachael | 87.1 | 
| Brittany | 84.0 | 
| Peiper | 80.1 | 
| Bri | 79.1 | 
| Katie | 78.1 | 
| Abigail | 77.2 | 
| Chelsea | 77.1 | 
| Serena_P | 76.5 | 
| Ryan | 75.0 | 
| Kit | 70.9 | 
| Magi | 66.9 | 
| MJ | 66.3 | 
| Jessenia | 65.5 | 
| Serena_C | 55.4 | 
Problems with this approach…
If we only examined the mean of these scores, here’s what we couldn’t know…
How Matt weights how stable his estimate of liking for a given person is. If it’s highly volatile, maybe that would be someone to whom he’d be wary of giving a rose.
How Matt takes into account that a few people arrived later than the rest of the girls. His estimate of how much he likes them is based on less information and may be less reliable of an estimate.
How important recent changes in liking are compared to initial levels. Bri was initially a front runner but has increasingly been of less interest.
If we leave our data analysis to simply looking at the means, then we have no estimates of uncertainty and cannot know how truly different these means are from each other. For example, how confident should we be that Matt will give Abigail a rose over Chelsea? The difference between their average liking scores is only .1!
As is often done in experimental data, you could relate the summary statistic to another predictor of interest.
summary_df <- group_by(df, contestant) %>% summarise(like = mean(like), attractiveness = mean(attractiveness), PA = mean(PA)) %>% ungroup()
summary(Q1 <- lm(like ~ attractiveness, summary_df))## 
## Call:
## lm(formula = like ~ attractiveness, data = summary_df)
## 
## Residuals:
##    Min     1Q Median     3Q    Max 
## -13.14  -5.51   1.49   3.40  17.36 
## 
## Coefficients:
##                Estimate Std. Error t value Pr(>|t|)  
## (Intercept)       38.12      15.42    2.47    0.028 *
## attractiveness     4.93       2.03    2.43    0.030 *
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Residual standard error: 7.79 on 13 degrees of freedom
## Multiple R-squared:  0.312,  Adjusted R-squared:  0.259 
## F-statistic: 5.91 on 1 and 13 DF,  p-value: 0.0303ggplot(summary_df, aes(x = attractiveness, y =like )) + geom_point() + geom_smooth(method = "lm")## `geom_smooth()` using formula 'y ~ x'summary(Q2 <- lm(like ~ PA, summary_df))## 
## Call:
## lm(formula = like ~ PA, data = summary_df)
## 
## Residuals:
##     Min      1Q  Median      3Q     Max 
## -10.179  -3.129  -0.534   4.193  15.920 
## 
## Coefficients:
##             Estimate Std. Error t value Pr(>|t|)   
## (Intercept)    36.08      12.84    2.81   0.0147 * 
## PA              6.00       1.94    3.08   0.0087 **
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Residual standard error: 7.14 on 13 degrees of freedom
## Multiple R-squared:  0.423,  Adjusted R-squared:  0.378 
## F-statistic: 9.52 on 1 and 13 DF,  p-value: 0.0087ggplot(summary_df, aes(x = PA, y =like )) + geom_point() + geom_smooth(method = "lm")## `geom_smooth()` using formula 'y ~ x'Observations:
We still observe a positive association on these variables, but the estimates and test statistics have changed. For example, the effect of attractiveness, is substantially attenuated.
The only thing we can conclude from these analyses are that, on average, Matt tends to like people that show more positive affect and are more attractive. We cannot speak to whether Matt’s liking of a contestant increases when they show more positive affect.
Use of mean scores may obscure important variability that undermines our estimation.
For example, we observe that some contestants have a tighter distribution around their mean level of affect. For contestants with greater variabiltiy around their mean level of affect, the estimate entered into the GLMs may be less reliable. Relatedly, some individuals have more observations – it’s reasonable to infer that our estimate for mean positive affect is more reliable when we have more observations.
If all we do is take summary statistics from each contestant, we are ultimately treating all contestants the same in our analysis. We are ignoring between-person differences in the reliability of the summary statistic entered into the GLM. Conversely, techniques that can weight observations based on reliability or account for intraindivdiual variability obviate this concern.
Conclusion: Maybe it’s time to turn to new and exciting statistical tools to better leverage this data?
Now that we’ve identified that we can’t use our standard statistical tools for this valuable data, let’s turn the infamous MLM.
Features of MLMs:
MLMs are able to model correlations due to within-person and/or within-cluster dependence.
MLM decomposes variability into within-cluster (Level 1) and between-cluster (Level 2) effects.
Nesting is a property of the data or the experimental design.
Two main types of nesting that are typically delineated:
Students nested within schools
Spouses nested within dyads
Here, there is no important ordering among the observations within a cluster.
Interactions with Matt nested within contestant
EMA studies
Longitudinal studies of child development
Here, observations within a cluster are ordered. Additional considerations are needed to ensure that the variance/covariance structures (e.g., residual correlation between time 3 and time 1 maybe less correlated than residual correlation between time 2 and time 1) are handled appropriately.
For example, let’s say we’re collecting fMRI and EEG from each participant in a study.
kable(brain_df)| ACC | Precuneus | Insula | FEF | |
|---|---|---|---|---|
| .01Hz | ACC.01 | Pre.01 | Ins.01 | FEF.01 | 
| .02Hz | ACC.02 | Pre.02 | Ins.02 | FEF.02 | 
| .03Hz | ACC.03 | Pre.03 | Ins.03 | FEF.03 | 
| .04Hz | ACC.04 | Pre.04 | Ins.04 | FEF.04 | 
Brain region and frequency bin are crossed random effects, because all subjects have values in the 2x2 grid. Yet, brain region and frequency bin are nested within subject.
We’ll return to this type of design (and the specific considerations needed) later.
For now, we’ll focus on a longitudinal data set with nested random effects.
MLM decomposes variances into within-cluster variance (level 1) and between-cluster variance (level 2).
Level 1 variance in this case refers to changes in how much Matt likes each contestant. Level 2 variance refers to either person-level characteristics (e.g., contestant’s baseline attractiveness) or other between-cluster contributions to variance (e.g., is the contestant an original on the show or was she introduced later?).
Here, the data is structured so that interaction i is nested with contestant j.
Level 1 model (within person): \[ like_{ij} = \beta_{0j} + \beta_{1j} \cdot interaction_{ij} + r_{ij} \]
\[ r_{ij} \sim N(0, \sigma^2) \]
Level 2 model (between person):
\[ \beta_{0j} = \gamma_{00} + \mu_{0j} \] where \(\gamma_{00}\) is the overall intercept and \(\mu_{0j}\) is the person specific deviation from overall intercept
\[ \beta_{1j} = \gamma_{10} + \mu_{1j} \] where \(\gamma_{10}\) is the overall effect of number of interactions on how much Matt likes someone and \(\mu_{1j}\) is the person specific deviation in this slope
\[ \begin{bmatrix} \mu_{0j} \\ \mu_{1j} \end{bmatrix} \sim N(\begin{bmatrix} 0 \\ 0\end{bmatrix}, \begin{bmatrix} \tau_{00} & \tau_{01} \\ \tau_{10} & \tau_{11}\end{bmatrix}) \] Reduced form expression:
\[ like_{ij} = (\gamma_{00} + \mu_{0j})+ (\gamma_{10} + \mu_{1j}) \cdot interaction_{ij} + r_{ij} \]
OR
\[ like_{ij} = (\gamma_{00} + \gamma_{10}*interaction_{ij}) + (\mu_{0j} + \mu_{1j}*interaction_{ij} + r_{ij}) \]
Fixed effects refer to effects within the model the summarize the average effect of the predictor on the DV. These are effects that we are used to from conventional statistics.
Examples:
Random effects: values are drawn from a population of possible values and the interest is in generalizing results to the population, NOT just the cluster. Levels of a predictor are a random sample of all posible values and typically assume that the distribution is Gaussian.
Examples:
Here, we focus on treating the variable contestant as a random intercept. What this means is that we estimate a separate intercept for each contestant. In the model, we’ve specified that \(\beta_{0j} = \gamma_{00} + \mu_{0j}\) and that \(\mu_{0j}\) is normally distributed with mean 0 and variance \(\tau_{00}\). In practice this means that we assume that there is a grand mean that reflects the overall intercept and that contestant-specific intercepts are noramlly distributed around this overall intercept.
Moreover, by now specifying a random intercept for each contestant, we are assuming that we’ve adequately controlled for the clustering present in this data. We’ll spend more time next session discussing how model comparison can be used to further assess whether additional random effects are necessary to account for the clsutering of the data.
In a random intercept model, we continue to assume that the effect of the predictor on the outcome variable is the same across contestants. That is, even if Serena C. and Katie have different intercepts, the effect of displays of positive affect on Matt’s liking of this contestant is the same for both contestants.
To provide an intuition for this, below is a plot of the predicted associations from a random-intercept model in which positive affect predicts Matt’s liking.
forplotting_lmer <- lmer(like ~ PA + (1|contestant), df)
plot_model(forplotting_lmer, type = "pred", terms = c("PA", "contestant"), pred.type = "re", colors = c(viridis(15))) + labs(x = "Displays of Positive Affect", y = "Matt's Liking of a Contestant", title = "Predictions from Random Intercept Model")As you can see, the effect of positive affect on Matt’s liking of each contestant is the same (slopes are parallel), but the intercept has been estimated separately for each contestant.
GLM relies on OLS to estimate parameters in a linear model. As Michael demonstrated last time, OLS relies on simple matrix algebra in which there is a closed form solution.
Conversely, MLM does not live in such a simple world. Instead, MLMs must use an algorithm to find the best parameter estimate for a given effect. Specifically, MLE determines the best parameter estimate by maximizing log likelihood.
\[ \mathcal{L}(D | \boldsymbol{\hat{\theta}}, \textrm{model}) \] In other words, log likelihood refers to the “likelihood of the data given the model and parameters.”
To provide an intuition for how this works, let us return to the example of the Bachelor, let’s say we are trying to estimate the association between attractiveness and Matt’s rating of each contestant. The algorithm sees these two columns of data and must find the best coefficient that maps attractiveness onto Matt’s ratings.
Because the algorithm cannot solve this problem analytically, she turns to brute force to find the right solution. First, she tries a random number. Once she plugs in this random number, she obtains the log likelihood, the estimate of how close the predicted data matches the observed data.
The alogrithm does this again with a different random number, a number that is pretty close to her initial number (in this case, .1 larger than her initial estimate). She obtains the log likelihood and compares is to the first. If the log-likelihood improves, she keeps increasing the estimate of the coefficient.
However, at a certain point of increasing the parameter estimate, the log likehood starts to become worse. She quickly backtracks until she’s at the best estimate - decreasing or increasing the estimate would result in a worse fit of the predicted data to the observed data.
Though this is an anecdote of what an anthropomorphized algorithm does under the hood, this is the essence of MLE.
As with anything in statistics, though, MLE comes with some assumptions. These assumptions have particular consequences for MLE’s estimation of variance (which contributes to standard errors and our all-important test statistic).
Particularly relevant here is that MLE underestimates variance in small samples. As N becomes increasing large, MLE variance estimates are closer to the true variance. Traditional reliance on MLE in SEM and MLM has contributed to the pervasive view that these approaches are large sample technique and inappropriate for many of the samples collected in psychological research.
One approach to mitigating biased variance estimates (and subsequent inflation of Type I error) is use of REML or Restricted Maxmimum Likelihood Estimation. REML differs from MLE by adjusting the degrees of freedom to account for the adjusted sample size (rather than simply N) and also takes into account the number of parameters being estimated. These adjustments to calculating variance ammeliorate the biased variance estimates observed with use of MLE in finite samples.
The goal here is to ensure that we’ve modeled the dependence in observations sufficiently so that residuals at L2 are now independent (once accounting for the clustering).
The goal here is to make sure that we’ve decomposed the variance between L1 and L2 appropriately.
Similar to our assumptions in the GLM, we want to make sure that the residuals are normally distributed and the variance is constant across the different levels of the predictor.
Generalizing our assumption about L1 predictors (e.g., normal distribution, homoscedasticity) to L2 predictors.
MLM is appropriate when there are at least 30-50 clusters at level 2 (e.g., 30-50 contestants on the Bachelor). Estimates of standard errors are slightly biased (underestimated) for fixed effects if fewer than 50 L2 units, but become unbiased with greater than 50 L2 units. In simulations studies comparing the importance of sample at L1 versus L2, having sufficiently large sample of L2 units is more important.
Having a larger number of L2 units is particularly important when we want good estimates for random effects.
In our Bachelor example, we are highly interested in the random intercept (how much Matt likes each contestant on average). We’d like these estimates to be reliable so that we can have a better sense of who will get a rose this upcoming week!
What happens if you ignore this issue?
Variances are underestimated. Subsquently, standard errors used in test statistics are underestimated.
Degrees of freedom used in test statistics are overestimated.
As such, we obtain inaccurate test statistics and increase risk of Type I error.
What do you do if number of L2 units lower than ideal?
REML estimation produces accurate, unbiased variance estimates when L2 units equal to or greater than 30. REML can be still useful in addressing concerns with fewer than 30 clusters, though variance estimates are biased downward. Kenward-Roger approximations of degrees of freedom further needed to ensure that degrees of freedom are not overestimated (which would subsequently inflate Type I error rate).
Bayesian methods are unbiased with as few as 20 L2 units and can be used with data sets that have as few as 10 clusters. It’s particularly important to be mindful of prior specification as sample size decreases with Bayesian estimation.
If too few clusters (e.g., only 5 contestants), then best to model cluster membership as a fixed effect. That is, entering contestant as a predictor.
In examining the Bachelor data set, we’ll need to use REML and Kenward-Roger degrees of freedom to control our Type I error rate. Verifying effects in Bayesian framework could further increase our confidence in the results of our model.
N.B. There are additional adjustments that can be made if clustering in the data is not best addressed with these other techniques (e.g., a small subset of participants happen to be related, but this is not a design feature and there are not enough observations within a cluster to warrant inclusion of a fixed efffect).
When the show announced the contestants, concerns about Rachael began to arise:
6 weeks after these social media posts and other information surfacing, Rachael had remained silent and had not released any statement.
Chris Harrison, host of the show for the past 19 years, came onto Extra with Rachel Lindsay (the first Black Bachelorette). In this interview, he:
Afterwards, he conveyed to Rachel that he felt that this was a productive conversation.
After the video aired, he faced backlash. Only then did he apologize to Rachel Lindsay and make a public statement.
A petition was started asking for Chris Harrison to step down as the spokesperson for the franchise.
He later announced he would be taking a leave of absence.
The Bachelor franchise has long faced criticism for not having sufficient representation of POC on the show.
Indeed, up until 2017, no Black individuals had been the Bachelor or Bachelorette and there had been only one instance of a person of color as a Bachelor (Juan Pablo in 2014).
There have been several instances in which the Bachelor or Bachelorette has only learned after the fact of a contestants un-woke beliefs (e.g., Garrett in Becca’s season). Even on Rachel Lindsay’s season, producers cast Lee Garrett as a contestant, who openly held racist beliefs. His racist beliefs were then used to stir conflict among the contestants.
On the heels of George Floyd, a petition started to increase diversity in the Bachelor. This resulted in Matt James being selected for the Bachelor and season 25 of the Bachelor having the most diverse cast yet.
Nonetheless, the franchise has largely approached race issues through a lens of assimilationism. Moreover, how the franchise has characterized POC on the show is markedly different:
The franchise edited comments about Tayshia to only comment on her physical attractiveness.
Screen time during Matt’s season has focused solely on the drama and little on (a) the relationships and (b) the stories of the contestants.
Of the relationships discussed, a disproportionate amount of time is dedicated to Matt’s relationship with white women (e.g., more screen time has been dedicated to his relationship with Rachael than the three other remaining contestants combined).
In the face of a contestant holding damaging beliefs, the franchise has done nothing to protect Matt James. Conversely, when problematic contestants were on Hannah Brown’s season, the franchise was quick to portray the contestant in a bad light (e.g., Jed) or even be physically protective of Hannah Brown (e.g., Luke P).
Thus, if the franchise is genuinely committed to “being better on race,” more work is needed.
One of the really neat features of MLM is that we’re able to leverage the structure of the data fully to examine phenomenon that happesn at the within and between levels.
In this case of the Bachelor, this means we can make inferences about:
how Matt’s liking of a contestant is likely to change if a something happens with that contestant (e.g., contestant shows more positive affect)
how Matt’s liking of a contestant can be predicted from more general knowledge about this individual (e.g., how well-liked she generally is or her occupation).
Yet, in order to ensure that we are making inferences at the correct level (level 1 or level 2), we must center predictors in order to disaggregate the between and within person variability. Centering in this manner is needed for covariates added to the model that are time-varying (e.g., multiple observations of the predictor within the cluster). Conversely, if a predictor only varies at level 1 (e.g., interaction number) or level 2 (e.g., contestant’s occupation), then no disaggregation between those levels is possible and inferences are restricted to that level (e.g., Matt tends to like contestants with certain occupations more, on average).
If we return to the example of displays of positive affect, it would be useful to know whether Matt tends to like (a) contestants that, on average, display more positive affect, or (b) contestants that increasingly show positive affect. To examine this, we would center PA within each person and obtain PA means for each person. Both person means and person-centered PA are entered into the MLM as predictors. Through centering we can further examine whether an L1 predictor primarily exerts its influence on the outcome variable at level 2 or level 1!
Data wrangling to disaggregate the between and within person effects.
Run MLM using REML
Examine test-statistics (Kenward-Roger method).
Step 1.
Because attractiveness does not vary at level 1 (we only have one unique estimate of attractiveness per contestant), we do not have a need to disaggregate the between and within person effects. Instead, we can only make inferences at L2.
Step 2.
Here, were are employing a random-intercept model.
summary(Q1_lmer <- lmer(like ~ attractiveness + (1|contestant), df))## Linear mixed model fit by REML. t-tests use Satterthwaite's method [
## lmerModLmerTest]
## Formula: like ~ attractiveness + (1 | contestant)
##    Data: df
## 
## REML criterion at convergence: 858
## 
## Scaled residuals: 
##     Min      1Q  Median      3Q     Max 
## -3.1559 -0.6341  0.0077  0.6128  2.0827 
## 
## Random effects:
##  Groups     Name        Variance Std.Dev.
##  contestant (Intercept) 56.8     7.54    
##  Residual               27.2     5.22    
## Number of obs: 134, groups:  contestant, 15
## 
## Fixed effects:
##                Estimate Std. Error    df t value Pr(>|t|)  
## (Intercept)       37.88      15.39 12.92    2.46    0.029 *
## attractiveness     4.95       2.03 12.94    2.45    0.030 *
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Correlation of Fixed Effects:
##             (Intr)
## attractvnss -0.991Step 3.
anova(Q1_lmer,ddf = "Kenward-Roger")| Sum Sq | Mean Sq | NumDF | DenDF | F value | Pr(>F) | |
|---|---|---|---|---|---|---|
| attractiveness | 163 | 163 | 1 | 13 | 5.98 | 0.029 | 
Consistent with our earlier analyses, attractiveness of contestants predicts Matt’s liking of that contestant, on average.
plot_model(Q1_lmer, type = "pred", terms = c("attractiveness", "contestant"), pred.type = "re", colors = c(viridis(15))) + labs(x = "Attractiveness", y = "Matt's Liking of a Contestant", title = "Research Question 1")Step 1.
Because display of positive affect varies from interaction to interaction, we need to decompose the between and within person effect. We’ll do this using person-mean centering.
df <- group_by(df, contestant) %>% mutate(PA.c = PA - mean(PA), PA.mean = mean(PA)) %>% ungroup()Step 2.
Here, were are employing a random-intercept model. Also, note the two different predictors for positive affect. PA.c captures within-person changes in positive affect (L1). PA.mean captures the between-person effect (L2).
summary(Q2_lmer <- lmer(like ~ PA.c + PA.mean + (1|contestant), df))## Linear mixed model fit by REML. t-tests use Satterthwaite's method [
## lmerModLmerTest]
## Formula: like ~ PA.c + PA.mean + (1 | contestant)
##    Data: df
## 
## REML criterion at convergence: 846
## 
## Scaled residuals: 
##     Min      1Q  Median      3Q     Max 
## -2.7423 -0.6576 -0.0116  0.6073  2.2667 
## 
## Random effects:
##  Groups     Name        Variance Std.Dev.
##  contestant (Intercept) 44.4     6.67    
##  Residual               25.4     5.04    
## Number of obs: 134, groups:  contestant, 15
## 
## Fixed effects:
##             Estimate Std. Error      df t value Pr(>|t|)   
## (Intercept)   34.747     12.538  12.610    2.77   0.0163 * 
## PA.c           1.108      0.348 117.187    3.18   0.0019 **
## PA.mean        6.178      1.897  12.551    3.26   0.0065 **
## ---
## Signif. codes:  0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1
## 
## Correlation of Fixed Effects:
##         (Intr) PA.c  
## PA.c     0.000       
## PA.mean -0.990  0.000Step 3.
anova(Q2_lmer,ddf = "Kenward-Roger")| Sum Sq | Mean Sq | NumDF | DenDF | F value | Pr(>F) | |
|---|---|---|---|---|---|---|
| PA.c | 257 | 257 | 1 | 118.0 | 10.1 | 0.002 | 
| PA.mean | 269 | 269 | 1 | 13.4 | 10.6 | 0.006 | 
We observe both a within-person and between-person effect! This means that Matt’s liking of a contestant is not just a function of how much a contestant shows positive affect on average (i.e., our conclusion from the GLMs using summary statistics earlier), but also increases when a contestant shows more positive affect than is normal for her.
Model predictions:
plot_model(Q2_lmer, type = "pred", terms = c("PA.c", "contestant"), pred.type = "re", colors = c(viridis(15))) + labs(x = "Increases in Positive Affect", y = "Matt's Liking of a Contestant", title = "Research Question 2")plot_model(Q2_lmer, type = "pred", terms = c("PA.mean", "contestant"), pred.type = "re", colors = c(viridis(15))) + labs(x = "Average Positive Affect", y = "Matt's Liking of a Contestant", title = "Research Question 2")Model predictions:
plot_model(Q2_lmer, type = "re")Let’s compare that to who is remaining?
The 4 Women Left on the Show