1

我想迭代线性模型列表并使用该vcovCL函数将“聚集”标准错误应用于每个模型。我的目标是尽可能高效地执行此操作(我正在跨数据框的许多列运行线性模型)。我的问题是尝试在匿名函数中指定其他参数。下面我模拟一些假数据。区域代表我的横截面尺寸;月代表我的时间维度(在 4 个月内观察到 5 个单位)。该变量int是干预发生时的虚拟变量。

df <- data.frame(
  precinct = c( rep(1, 4), rep(2, 4), rep(3, 4), rep(4, 4), rep(5, 4) ),
  month = rep(1:4, 5),
  crime = rnorm(20, 10, 5),
  int = c(c(0, 1, 1, 0), rep(0, 4), rep(0, 4), c(1, 1, 1, 0), rep(0, 4))
  )

df[1:10, ]

outcome <- df[3]
est <- lapply(outcome, FUN = function(x) { lm(x ~ as.factor(precinct) + as.factor(month) + int, data = df) })

se <- lapply(est, function(x) { sqrt(diag(vcovCL(x, cluster = ~ precinct + month))) }) 

cluster在函数内添加参数时,我收到以下错误消息vcovCL

Error in eval(expr, envir, enclos) : object 'x' not found

在我看来,唯一的解决方法是索引数据框,即 ,df$然后指定“聚类”变量。这可以通过df在函数调用内部指定一个附加参数来实现吗?这段代码有效吗?

我想,也许以公式的方式指定模型方程是一种更好的方法。

任何想法/评论总是有帮助的:)

4

1 回答 1

0

这是一种可以检索多个模型的聚集标准错误的方法:

library(sandwich)

# I am going to use the same model three times to get the "sequence" of linear models. 
mod <- lm(crime ~ as.factor(precinct) + as.factor(month) + int, data = df)

# define function to retrieve standard errors:
robust_se <- function(mod) {sqrt(diag(vcovCL(mod, cluster = list(df$precinct, df$month))))}

# apply function to all models:
se <- lapply(list(mod, mod, mod), robust_se)

如果您想调整整个输出,以下可能会有所帮助:

library(lmtest)
adj_stats <- function(mod) {coeftest(mod, vcovCL(mod, cluster = list(df$precinct, df$month)))}

adjusted_models <- lapply(list(mod, mod, mod), adj_stats)

要解决多列问题:

如果您在多列上运行线性模型时遇到困难,以下内容可能会有所帮助。以上所有内容都将保持不变,除了您将模型列表传递给lapply.

首先,让我们在这里使用这个数据框:

df <- data.frame(
  precinct = c( rep(1, 4), rep(2, 4), rep(3, 4), rep(4, 4), rep(5, 4) ),
  month = rep(1:4, 5),
  crime = rnorm(20, 10, 5),
  crime2 = rnorm(20, 10, 5),
  crime3 = rnorm(20, 10, 5),
  int = c(c(0, 1, 1, 0), rep(0, 4), rep(0, 4), c(1, 1, 1, 0), rep(0, 4))
)

让我们定义结果列:

outcome_columns <- c("crime", "crime2", "crime3")

现在,让我们对每个结果进行回归:

models <- lapply(outcome_columns, 
         function(outcome) lm( eval(parse(text = paste0(outcome, " ~ as.factor(precinct) + as.factor(month) + int"))), data = df) )

然后你就打电话

adjusted_models <- lapply(models, adj_stats)

关于效率:

上面的代码很有效,因为它很容易调整并且可以快速编写。对于大多数用例,它会非常好。为了计算效率,请注意您的设计矩阵在所有情况下都是相同的,即通过预先计算公共元素(例如inv(X'X)*X'),您可以节省一些计算。但是,您会失去许多内置函数的便利性。

于 2019-05-03T18:47:12.993 回答