提取嵌套列表的每个叶子的名称层次结构

时间:2013-09-18 01:44:17

标签: r

我有一个任意深度的列表,其中包含任意数量的命名字符向量。一个简单的例子可能是:

d <- c("foo", "bar")
names(d) <- c("d1", "d2")
e <- c("bar","foo")
names(e) <- c("d1", "d3")
l <- list(a1 = list(b1 = list(c1 = d, c2 = e), a2 = list(b1 = e)))
l

$a1
$a1$b1
$a1$b1$c1
  d1    d2 
"foo" "bar" 

$a1$b1$c2
  d1    d3 
"bar" "foo" 


$a1$a2
$a1$a2$b1
  d1    d3 
"bar" "foo" 

我喜欢在每片叶子上收集(完整)名称;例如,

collect_names(l)

"$a1$b1$c1" "$a1$b1$c2" "$a1$a2$b1"

比较不同“任意级别”的效率的一般解决方案获得额外的信用;)

3 个答案:

答案 0 :(得分:6)

wdots <- names(rapply(l,length))

这适用于给出的示例,但我只是发现它归功于@ flodel的评论。如果你想要美元符号,那就是

wdols <- gsub('\\.','\\$',wdots)
但是,正如@thelatemail指出的那样,如果层次结构中的任何名称包含“。”,这将无法满足您的需求。

答案 1 :(得分:3)

这种递归函数似乎有效:

collect_names <- function(l) {
  if (!is.list(l)) return(NULL)
  names <- Map(paste, names(l), lapply(l, collect_names), sep = "$")
  gsub("\\$$", "", unlist(names, use.names = FALSE))
}

collect_names(l)
# [1] "a1$b1$c1" "a1$b1$c2" "a1$a2$b1"

答案 2 :(得分:3)

其他选择:

分层视图:

f <- function(x, parent=""){
    if(!is.list(x)) return(parent)
    mapply(f, x, paste(parent,names(x),sep="$"), SIMPLIFY=FALSE)
}

f(l)

$a1
$a1$b1
$a1$b1$c1
[1] "$a1$b1$c1"

$a1$b1$c2
[1] "$a1$b1$c2"


$a1$a2
$a1$a2$b1
[1] "$a1$a2$b1"

只是名字:

f <- function(x, parent=""){
    if(!is.list(x)) return(parent)
    unlist(mapply(f, x, paste(parent,names(x),sep="$"), SIMPLIFY=FALSE))
}

f(l)

   a1.b1.c1    a1.b1.c2    a1.a2.b1 
"$a1$b1$c1" "$a1$b1$c2" "$a1$a2$b1"