我有一个列表,我想从其中删除一个元素。我该怎么做呢?

我试着在参考手册中查找我认为这个函数的明显名称,但我没有找到任何合适的名称。


当前回答

不知道你是否还需要回答这个问题,但我从我有限的(3周的自学R) R经验中发现,使用NULL赋值实际上是错误的或次优的,特别是当你在动态更新一个列表时,比如for循环。

更准确地说,使用

myList[[5]] <- NULL

会抛出错误

myList[[5]] <- NULL:替换长度为0

or

供应的元素多于可供替换的元素

我发现更有效的方法是

myList <- myList[[-5]]

其他回答

单行从列表中删除Null元素:

x = x(((酸式焦磷酸钠(x, is.null) arr.ind = TRUE)))

干杯

在命名列表的情况下,我发现这些helper函数很有用

member <- function(list,names){
    ## return the elements of the list with the input names
    member..names <- names(list)
    index <- which(member..names %in% names)
    list[index]    
}


exclude <- function(list,names){
     ## return the elements of the list not belonging to names
     member..names <- names(list)
     index <- which(!(member..names %in% names))
    list[index]    
}  
aa <- structure(list(a = 1:10, b = 4:5, fruits = c("apple", "orange"
)), .Names = c("a", "b", "fruits"))

> aa
## $a
##  [1]  1  2  3  4  5  6  7  8  9 10

## $b
## [1] 4 5

## $fruits
## [1] "apple"  "orange"


> member(aa,"fruits")
## $fruits
## [1] "apple"  "orange"


> exclude(aa,"fruits")
## $a
##  [1]  1  2  3  4  5  6  7  8  9 10

## $b
## [1] 4 5

如果你有一个命名列表,想要删除一个特定的元素,你可以尝试:

lst <- list(a = 1:4, b = 4:8, c = 8:10)

if("b" %in% names(lst)) lst <- lst[ - which(names(lst) == "b")]

这将创建一个包含元素a, b, c的列表lst。第二行在检查元素b是否存在后删除元素b(以避免@hjv提到的问题)。

或更好:

lst$b <- NULL

这样,尝试删除一个不存在的元素就不是问题(例如lst$g <- NULL)

purrr包中有几个选项没有被提到:

Pluck和assign_in可以很好地使用嵌套值,你可以使用名称和/或索引的组合来访问它:

library(purrr)

l <- list("a" = 1:2, "b" = 3:4, "d" = list("e" = 5:6, "f" = 7:8))

# select values (by name and/or index)
all.equal(pluck(l, "d", "e"), pluck(l, 3, "e"), pluck(l, 3, 1))
[1] TRUE

# or if element location stored in a vector use !!!
pluck(l, !!! as.list(c("d", "e")))
[1] 5 6

# remove values (modifies in place)
pluck(l, "d", "e") <- NULL

# assign_in to remove values with name and/or index (does not modify in place)
assign_in(l, list("d", 1), NULL)
$a
[1] 1 2

$b
[1] 3 4

$d
$d$f
[1] 7 8

或者你可以通过分配zap()或NULL使用modify_list删除值:

all.equal(list_modify(l, a = zap()), list_modify(l, a = NULL))
[1] TRUE

你可以使用带有discard和keep的谓词函数来删除或保留元素:

# remove numeric elements
discard(l, is.numeric)
$d
$d$e
[1] 5 6

$d$f
[1] 7 8

# keep numeric elements
keep(l, is.numeric)
$a
[1] 1 2

$b
[1] 3 4

我根本不懂R,但有点创造性的谷歌搜索把我带到了这里:http://tolstoy.newcastle.edu.au/R/help/05/04/1919.html

关键的一句话是:

我没有找到关于R如何从列表中删除元素的明确文档,但试验和错误告诉我

我的列表[5]<- NULL

将删除第5个元素,然后“关闭”由删除该元素引起的孔。这影响了下标值,所以我在删除元素时要小心。我必须从名单的后面到前面。

帖子后面的回复说:

删除列表中的元素,请参见R FAQ 7.1

R FAQ的相关部分说:

... 不要将x[i]或x[[i]]设置为NULL,因为这将从列表中删除相应的组件。

它似乎(以一种有点倒退的方式)告诉您如何删除一个元素。