如何在 r 中修复:变量的类型(列表)无效


在 R 中您可能遇到的错误是:

 Error in model.frame.default(formula = y ~ x, drop.unused.levels = TRUE): 
  invalid type (list) for variable 'x' 

当您尝试在 R 中拟合回归模型或方差分析模型并使用列表而不是向量作为其中一个变量时,通常会发生此错误。

本教程解释了如何在实践中修复此错误。

如何重现错误

假设我尝试在 R 中拟合一个简单的线性回归模型

 #define variables
x <- list(1, 4, 4, 5, 7, 8, 9, 10, 13, 14)
y <- c(10, 13, 13, 14, 18, 20, 22, 24, 29, 31)

#attempt to fit regression model
model <- lm(y ~ x)

Error in model.frame.default(formula = y ~ x, drop.unused.levels = TRUE): 
  invalid type (list) for variable 'x'

我收到错误,因为lm()函数只能将向量作为输入,并且变量 x 当前是一个列表。

如何避免错误

避免此错误的最简单方法是简单地使用unlist()函数将列表变量转换为向量:

 #define variables
x <- list(1, 4, 4, 5, 7, 8, 9, 10, 13, 14)
y <- c(10, 13, 13, 14, 18, 20, 22, 24, 29, 31)

#attempt to fit regression model
model <- lm(y ~ unlist(x))

#view the model output
summary(model)

Call:
lm(formula = y ~ unlist(x))

Residuals:
    Min 1Q Median 3Q Max 
-1.1282 -0.4194 -0.1087 0.2966 1.7068 

Coefficients:
            Estimate Std. Error t value Pr(>|t|)    
(Intercept) 6.58447 0.55413 11.88 2.31e-06 ***
unlist(x) 1.70874 0.06544 26.11 4.97e-09 ***
---
Significant. codes: 0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1

Residual standard error: 0.8134 on 8 degrees of freedom
Multiple R-squared: 0.9884, Adjusted R-squared: 0.987 
F-statistic: 681.8 on 1 and 8 DF, p-value: 4.97e-09

请注意,这次我们能够拟合简单的线性回归模型而不会出现任何错误,因为我们使用unlist()将变量 x 转换为向量。

请注意,如果您正在拟合多元线性回归模型,并且您有多个当前为列表对象的预测变量,则可以在拟合回归模型之前使用unlist()将每个变量转换为向量:

 #define variables
x1 <- list(1, 4, 4, 5, 7, 8, 9, 10, 13, 14)
x2 <- list(20, 16, 16, 15, 16, 12, 10, 8, 8, 4)
y <- c(10, 13, 13, 14, 18, 20, 22, 24, 29, 31)

#fit multiple linear regression model
model <- lm(y ~ unlist(x1) + unlist(x2))

#view the model output
summary(model)

Call:
lm(formula = y ~ unlist(x1) + unlist(x2))

Residuals:
    Min 1Q Median 3Q Max 
-1.1579 -0.4211 -0.1386 0.3108 1.7130 

Coefficients:
            Estimate Std. Error t value Pr(>|t|)    
(Intercept) 8.34282 4.44971 1.875 0.102932    
unlist(x1) 1.61339 0.24899 6.480 0.000341 ***
unlist(x2) -0.08346 0.20937 -0.399 0.702044    
---
Significant. codes: 0 '***' 0.001 '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1

Residual standard error: 0.8599 on 7 degrees of freedom
Multiple R-squared: 0.9887, Adjusted R-squared: 0.9854 
F-statistic: 305.1 on 2 and 7 DF, p-value: 1.553e-07

同样,我们没有收到任何错误,因为我们将列表中的每个对象转换为向量。

其他资源

以下教程解释了如何在 R 中执行其他常见操作:

如何解释 R 中的 glm 输出
如何解释 R 中的方差分析结果
如何处理 R 警告:glm.fit:算法未收敛

添加评论

您的电子邮箱地址不会被公开。 必填项已用*标注