web-dev-qa-db-ja.com

配列の次元数と添字の数が正しくない

私はRを使用するのが初めてなので、質問は単純なものになるかもしれませんが、それでも、自分が間違っていることを理解しようとして多くの時間を費やし、役に立たなかったのです。先週、このサイトで他の質問/回答を検索するのに多くの助けを見つけました(ありがとう!)が、新しい人として、他の人のコードを解釈するのは難しいことがよくあります。

複数のデータファイルの3次元配列を作成しようとしています。各データファイルのサイズは57x57です。

# read in 100 files
Files = lapply(Sys.glob('File*.txt'), read.table, sep='\t', as.is=TRUE)

# convert to dataframes
Files = lapply(Files[1:100], as.data.frame)

# check dimensions of first file (it's the same for all)
dim(Files[[1]])
[1] 57 57

# build empty array
Array = array(dim=c(57,57,100))

# read in the first data frame
Array[,,1] = Files[1]

# read in the second data frame
Array[,,2] = Files[2]
Error in Array[, , 2] = Files[2] : incorrect number of subscripts

# if I check...
Array[,,1] = Files[1]
Error in Array[, , 1] : incorrect number of dimensions

# The same thing happens when I do it in a loop:
x = 0
for(i in 1:100){
    Array[,,x+1] = Files[[i]]
    x = x + 1
}

Error in Array[, , 1] = Files[[1]] : 
  incorrect number of subscripts
4
user3720680

割り当てを行う前に、データフレームを行列に変換する必要があります。

l <- list(data.frame(x=1:2, y=3:4), data.frame(x=5:6, y=7:8))
arr <- array(dim=c(2, 2, 2))
arr[,,1] <- as.matrix(l[[1]])
arr[,,2] <- as.matrix(l[[2]])
arr
# , , 1
# 
#      [,1] [,2]
# [1,]    1    3
# [2,]    2    4
# 
# , , 2
# 
#      [,1] [,2]
# [1,]    5    7
# [2,]    6    8

結合する行列のリストにunlist関数を適用して、実際に1行で配列を作成できます。

arr2 <- array(unlist(lapply(l, as.matrix)), dim=c(dim(l[[1]]), length(l)))
all.equal(arr, arr2)
# [1] TRUE
4
josliber