我想对R中的“ law”数据集运行1000个置换测试,以测试LSAT得分与GPA之间相关性的重要性。我有以下代码:
nperm <- 1000
law.perm <- rep(0,nperm)
for (i in 1:nperm) {
ind <- sample(law)
law <- ind
Group1 <- law$LSAT[law==1]
Group2 <- law$GPA[law==2]
law.perm[i] <- cor(Group1,Group2)
}
law.perm
但是,运行上面的代码将生成所有NA值以用于相关。谁能帮助您确定问题所在?
以下是一些示例输出:
str(law)
'data.frame': 15 obs. of 2 variables:
$ LSAT: num 576 635 558 578 666 580 555 661 651 605 ...
$ GPA : num 3.39 3.3 2.81 3.03 3.44 3.07 3 3.43 3.36 3.13 ...
答案 0 :(得分:1)
数据集law
位于包bootstrap
中。而且您正在执行的操作似乎是非参数引导程序。这里有两种不同的方式,分别是for
循环和函数bootstrap::bootstrap
。
在运行代码之前,请加载数据集。
library(bootstrap)
data(law)
首先,纠正您在问题中的尝试方式。
set.seed(1234) # Make the results reproducible
nperm <- 1000
law.perm <- numeric(nperm)
n <- nrow(law)
for (i in 1:nperm) {
ind <- sample(n, replace = TRUE)
law.perm[i] <- cor(law[ind, "LSAT"], law[ind, "GPA"])
}
第二种方式,使用bootstrap
函数。这是该功能帮助页面中的最后一个示例。
theta <- function(x, xdata){
cor(xdata[x, 1], xdata[x, 2])
}
set.seed(1234)
res <- bootstrap(seq_len(n), nperm, theta = theta, law)
比较两个结果。
mean(law.perm)
#[1] 0.769645
mean(res$thetastar)
#[1] 0.7702782
中位数的差异较小。
median(law.perm)
#[1] 0.7938093
median(res$thetastar)
#[1] 0.7911014
然后绘制两个结果的图形。
op <- par(mfrow = c(1, 2))
hist(law.perm, prob = TRUE)
hist(res$thetastar, prob = TRUE)
par(op)