基本问题:在R中,我如何制作一个列表,然后用向量元素填充它?
l <- list()
l[1] <- c(1,2,3)
这给出了错误“要替换的项目数不是替换长度的倍数”,因此R试图解包向量。到目前为止,我发现工作的唯一方法是在制作列表时添加向量。
l <- list(c(1,2,3), c(4,5,6))
答案 0 :(得分:34)
根据?"["
(在“递归(类似列表)对象”一节下):
Indexing by ‘[’ is similar to atomic vectors and selects a list of
the specified element(s).
Both ‘[[’ and ‘$’ select a single element of the list. The main
difference is that ‘$’ does not allow computed indices, whereas
‘[[’ does. ‘x$name’ is equivalent to ‘x[["name", exact =
FALSE]]’. Also, the partial matching behavior of ‘[[’ can be
controlled using the ‘exact’ argument.
基本上,对于列表,[
选择多个元素,因此替换必须是列表(不是示例中的向量)。以下是如何在列表中使用[
的示例:
l <- list(c(1,2,3), c(4,5,6))
l[1] <- list(1:2)
l[1:2] <- list(1:3,4:5)
如果您只想替换一个元素,请改用[[
。
l[[1]] <- 1:3
答案 1 :(得分:25)
在
中使用[[1]]
l[[1]] <- c(1,2,3)
l[[2]] <- 1:4
等等。还要记住预分配效率要高得多,所以如果你知道你的清单会有多长,请使用
之类的东西。l <- vector(mode="list", length=N)