我试图在R中运行anova()
并遇到一些困难。这是我迄今为止所做的工作,以帮助阐明我的问题。
到目前为止,这是我的数据str()
。
str(mhw)
'data.frame': 500 obs. of 5 variables:
$ r : int 1 2 3 4 5 6 7 8 9 10 ...
$ c : int 1 1 1 1 1 1 1 1 1 1 ...
$ grain: num 3.63 4.07 4.51 3.9 3.63 3.16 3.18 3.42 3.97 3.4 ...
$ straw: num 6.37 6.24 7.05 6.91 5.93 5.59 5.32 5.52 6.03 5.66 ...
$ Quad : Factor w/ 4 levels "NE","NW","SE",..: 2 2 2 2 2 2 2 2 2 2 ...
列r是一个数值,表示单个绘图所在字段中的哪一行 列c是表示单个图存在的列的数值 列Quad对应于每个绘图所在的字段中的地理位置
Quad <- ifelse(mhw$c > 13 & mhw$r < 11, "NE",ifelse(mhw$c < 13 & mhw$r < 11,"NW", ifelse(mhw$c < 13 & mhw$r >= 11, "SW","SE")))
mhw <- cbind(mhw, Quad)
我符合以下lm()
nov.model <-lm(mhw$grain ~ mhw$straw)
anova(nov.model)
这是整个油田的anova()
,它正在测试数据集中每个地块的秸秆产量的粮食产量。
我的麻烦在于,我想为我的数据的Quad列运行个人anova()
,以测试每个象限中的谷物产量和秸秆产量。
或许with()
可能会解决这个问题。我以前从未使用它,而且我目前正在学习R。任何帮助将不胜感激。
答案 0 :(得分:5)
我认为您正在寻找R。
中的by
设施
fit <- with(mhw, by(mhw, Quad, function (dat) lm(grain ~ straw, data = dat)))
由于Quad
中有4个级别,因此fit
中最终会有4个线性模型,即fit
是&#34; by&#34;类对象(一种长度为4的&#34;列表&#34;)。
要获得每个模型的系数,您可以使用
sapply(fit, coef)
要制作模型摘要,请使用
lapply(fit, summary)
要导出ANOVA表,请使用
lapply(fit, anova)
作为一个可重复的例子,我从?by
:
tmp <- with(warpbreaks,
by(warpbreaks, tension,
function(x) lm(breaks ~ wool, data = x)))
class(tmp)
# [1] "by"
mode(tmp)
# [1] "list"
sapply(tmp, coef)
# L M H
#(Intercept) 44.55556 24.000000 24.555556
#woolB -16.33333 4.777778 -5.777778
lapply(tmp, anova)
#$L
#Analysis of Variance Table
#
#Response: breaks
# Df Sum Sq Mean Sq F value Pr(>F)
#wool 1 1200.5 1200.50 5.6531 0.03023 *
#Residuals 16 3397.8 212.36
#---
#Signif. codes: 0 ‘***’ 0.001 ‘**’ 0.01 ‘*’ 0.05 ‘.’ 0.1 ‘ ’ 1
#
#$M
#Analysis of Variance Table
#
#Response: breaks
# Df Sum Sq Mean Sq F value Pr(>F)
#wool 1 102.72 102.722 1.2531 0.2795
#Residuals 16 1311.56 81.972
#
#$H
#Analysis of Variance Table
#
#Response: breaks
# Df Sum Sq Mean Sq F value Pr(>F)
#wool 1 150.22 150.222 2.3205 0.1472
#Residuals 16 1035.78 64.736
我知道这个选项,但不熟悉它。感谢@Roland为上述可重现的示例提供代码:
library(nlme)
lapply(lmList(breaks ~ wool | tension, data = warpbreaks), anova)
对于您的数据,我认为它将是
fit <- lmList(grain ~ straw | Quad, data = mhw)
lapply(fit, anova)
您不需要安装nlme
;它附带R作为推荐套装之一。