要素が部分的に重複している2つのリストがあり、要素ごとに1つのリストにマージ/結合する必要があります。
> lst1 <- list(integers=c(1:7), letters=letters[1:5],
words=c("two", "strings"))
> lst2 <- list(letters=letters[1:10], booleans=c(TRUE, TRUE, FALSE, TRUE),
words=c("another", "two"), floats=c(1.2, 2.4, 3.8, 5.6))
> lst1
$integers
[1] 1 2 3 4 5 6 7
$letters
[1] "a" "b" "c" "d" "e"
$words
[1] "two" "strings"
> lst2
$letters
[1] "a" "b" "c" "d" "e" "f" "g" "h" "i" "j"
$booleans
[1] TRUE TRUE FALSE TRUE
$words
[1] "another" "two"
$floats
[1] 1.2 2.4 3.8 5.6
mapplyを使用してみましたが、これは基本的に2つのリストをインデックスで結合しています(つまり: "[[")、名前で組み合わせる必要があります(つまり: "$")。さらに、リストは長さが異なるため、リサイクルルールが適用されます(予測できない結果になります)。
> mapply(c, lst1, lst2)
$integers
[1] "1" "2" "3" "4" "5" "6" "7" "a" "b" "c" "d" "e" "f" "g" "h" "i" "j"
$letters
[1] "a" "b" "c" "d" "e" "TRUE" "TRUE" "FALSE" "TRUE"
$words
[1] "two" "strings" "another" "two"
$<NA>
[1] 1.0 2.0 3.0 4.0 5.0 6.0 7.0 1.2 2.4 3.8 5.6
Warning message:
In mapply(c, lst1, lst2) :
longer argument not a multiple of length of shorter
ご想像のとおり、私が探しているのは:
$integers
[1] 1 2 3 4 5 6 7
$letters
[1] "a" "b" "c" "d" "e" "a" "b" "c" "d" "e" "f" "g" "h" "i" "j"
$words
[1] "two" "strings" "another" "two"
$booleans
[1] TRUE TRUE FALSE TRUE
$floats
[1] 1.2 2.4 3.8 5.6
それを達成する方法はありますか?ありがとうございました!
できるよ:
keys <- unique(c(names(lst1), names(lst2)))
setNames(mapply(c, lst1[keys], lst2[keys]), keys)
任意の数のリストに一般化するには、do.call
とlapply
の組み合わせが必要になります。
l <- list(lst1, lst2, lst1)
keys <- unique(unlist(lapply(l, names)))
setNames(do.call(mapply, c(FUN=c, lapply(l, `[`, keys))), keys)
tidyverse
ユーザー向けの flodel's answer の更新:
_list1 <- list(integers=c(1:7), letters=letters[1:5],
words=c("two", "strings"))
list2 <- list(letters=letters[1:10], booleans=c(TRUE, TRUE, FALSE, TRUE),
words=c("another", "two"), floats=c(1.2, 2.4, 3.8, 5.6))
input_list <- list(list1, list2, list1, list2)
_
出力リストの各要素について、元の目的の出力を正確に2回複製する必要があります。 _map2
_およびreduce
を使用すると、_do.call
_、R
、およびmapply
を含む基本的なlapply
ソリューションよりも少し明確にそれを実現できます。まず、c()
を使用して、2つのリストを名前付き要素で結合する関数を宣言し、次にreduce
を介して入力リストで関数を呼び出します。
_library(purrr)
cat_lists <- function(list1, list2) {
keys <- unique(c(names(list1), names(list2)))
map2(list1[keys], list2[keys], c) %>%
set_names(keys)
}
combined_output <- reduce(input_list, cat_lists)
_
これにより、必要なものが得られます。
_> combined_output
#> $integers
#> [1] 1 2 3 4 5 6 7 1 2 3 4 5 6 7
#>
#> $letters
#> [1] "a" "b" "c" "d" "e" "a" "b" "c" "d" "e" "f" "g" "h" "i" "j" "a" "b"
#> [18] "c" "d" "e" "a" "b" "c" "d" "e" "f" "g" "h" "i" "j"
#>
#> $words
#> [1] "two" "strings" "another" "two" "two" "strings" "another"
#> [8] "two"
#>
#> $booleans
#> [1] TRUE TRUE FALSE TRUE TRUE TRUE FALSE TRUE
#>
#> $floats
#> [1] 1.2 2.4 3.8 5.6 1.2 2.4 3.8 5.6
_
私はgrep
も使用していますが、それがより良いか、最悪か、または同等かどうかわかりません!
l_tmp <- c(lst1, lst2, lst1)
keys = unique(names(l_tmp))
l = sapply(keys, function(name) {unlist(l_tmp[grep(name, names(l_tmp))])})