让我们说RES是一个容量为1000个结构的列表,其功能kmeans生成为输出。
如何申报RES?
在宣布RES之后我想做这样的事情:
for (i in 1:1000) {
RES[i] = kmeans(iris,i)
}
谢谢。 锐
答案 0 :(得分:4)
如果你使用R apply idiom,你的代码会更简单,你不必提前声明你的变量:
RES <- lapply(1:3, function(i)kmeans(dist(iris[, -5]),i))
结果:
> str(RES)
List of 3
$ :List of 7
..$ cluster : Named int [1:150] 1 1 1 1 1 1 1 1 1 1 ...
.. ..- attr(*, "names")= chr [1:150] "1" "2" "3" "4" ...
..$ centers : num [1, 1:150] 2.89 2.93 3.04 2.96 2.93 ...
.. ..- attr(*, "dimnames")=List of 2
.. .. ..$ : chr "1"
.. .. ..$ : chr [1:150] "1" "2" "3" "4" ...
..$ totss : num 55479
..$ withinss : num 55479
..$ tot.withinss: num 55479
..$ betweenss : num 4.15e-10
..$ size : int 150
..- attr(*, "class")= chr "kmeans"
$ :List of 7
..$ cluster : Named int [1:150] 1 1 1 1 1 1 1 1 1 1 ...
.. ..- attr(*, "names")= chr [1:150] "1" "2" "3" "4" ...
..$ centers : num [1:2, 1:150] 0.531 4.104 0.647 4.109 0.633 ...
.. ..- attr(*, "dimnames")=List of 2
.. .. ..$ : chr [1:2] "1" "2"
.. .. ..$ : chr [1:150] "1" "2" "3" "4" ...
..$ totss : num 55479
..$ withinss : num [1:2] 863 9743
..$ tot.withinss: num 10606
..$ betweenss : num 44873
..$ size : int [1:2] 51 99
..- attr(*, "class")= chr "kmeans"
$ :List of 7
..$ cluster : Named int [1:150] 2 2 2 2 2 2 2 2 2 2 ...
.. ..- attr(*, "names")= chr [1:150] "1" "2" "3" "4" ...
..$ centers : num [1:3, 1:150] 3.464 0.5 5.095 3.438 0.622 ...
.. ..- attr(*, "dimnames")=List of 2
.. .. ..$ : chr [1:3] "1" "2" "3"
.. .. ..$ : chr [1:150] "1" "2" "3" "4" ...
..$ totss : num 55479
..$ withinss : num [1:3] 2593 495 1745
..$ tot.withinss: num 4833
..$ betweenss : num 50646
..$ size : int [1:3] 62 50 38
..- attr(*, "class")= chr "kmeans"
答案 1 :(得分:2)
我认为lapply
在这种情况下是正确的答案。
但是有许多场景需要循环,这是一个很好的问题。
R列表不需要提前声明为空,因此最简单的方法是将'RES
声明为空列表:
RES <- list()
for (i in 1:1000) {
RES[i] = kmeans(iris,i)
}
R只会扩展每次迭代的列表。
顺便提一下,这甚至适用于非顺序索引:
newList <- list()
newList[5] <- 100
产生一个列表,其中插槽1到4设计为NULL,第五个插槽中的数字为100。
这只是说R中的列表非常不同于原子矢量。
答案 2 :(得分:1)
遗憾的是,创建列表的方法与创建数字向量的常用方法不同。
# The "usual" way to create a numeric vector
myNumVec <- numeric(1000) # A numeric vector with 1000 zeroes...
# ...But there is also this way
myNumVec <- vector("numeric", 1000) # A numeric vector with 1000 zeroes...
# ...and that's the only way to create lists:
# Create a list with 1000 NULLs
RES <- vector("list", 1000)
所以你的例子会变成,
RES <- vector("list", 1000)
for (i in 1:1000) {
RES[[i]] = kmeans(iris,i)
}
(请注意,kmeans不喜欢直接调用iris数据集,但是......)
但话又说回来,lapply
也会像@Andrie所展示的那样以更直接的方式做到这一点。