下面是我的大数据文件的前几行:
Symbol|Security Name|Market Category|Test Issue|Financial Status|Round Lot Size
AAC|Australia Acquisition Corp. - Ordinary Shares|S|N|D|100
AACC|Asset Acceptance Capital Corp. - Common Stock|Q|N|N|100
AACOU|Australia Acquisition Corp. - Unit|S|N|N|100
AACOW|Australia Acquisition Corp. - Warrant|S|N|N|100
AAIT|iShares MSCI All Country Asia Information Technology Index Fund|G|N|N|100
AAME|Atlantic American Corporation - Common Stock|G|N|N|100
我读的数据:
data <- read.table("nasdaqlisted.txt", sep="|", quote='', header=TRUE, as.is=TRUE)
和构造的阵列和矩阵:
d1 <- array(data, dim=c(nrow(data), ncol(data)))
d2 <- matrix(data, nrow=nrow(data), ncol=ncol(data))
然而,即使d1
是一个数组, d2
是一个矩阵,所述class
和mode
是相同的:
> class(d1)
[1] "matrix"
> mode(d1)
[1] "list"
> class(d2)
[1] "matrix"
> mode(d2)
[1] "list"
为什么是这样?
我会咬,并有在解释我对问题的理解一展身手。
你并不需要你大量的测试文件来证明这个问题。 一个简单的data.frame
会做:
test <- data.frame(var1=1:2,var2=letters[1:2])
> test
var1 var2
1 1 a
2 2 b
请记住,一个data.frame
只是一个list
内。
> is.data.frame(test)
[1] TRUE
> is.list(test)
[1] TRUE
随着list
式的结构,如你所愿。
> str(test)
'data.frame': 2 obs. of 2 variables:
$ var1: int 1 2
$ var2: Factor w/ 2 levels "a","b": 1 2
> str(as.list(test))
List of 2
$ var1: int [1:2] 1 2
$ var2: Factor w/ 2 levels "a","b": 1 2
当您指定matrix
对呼叫data.frame
或list
,你结束了充满data.frame或列表的元素的矩阵。
result1 <- matrix(test)
> result1
[,1]
[1,] Integer,2
[2,] factor,2
综观结构result1
,你可以看到它仍然是一个list
,但现在只是尺寸(见最后一行在下面的输出)。
> str(result1)
List of 2
$ : int [1:2] 1 2
$ : Factor w/ 2 levels "a","b": 1 2
- attr(*, "dim")= int [1:2] 2 1
这意味着它现在既是一个matrix
和list
> is.matrix(result1)
[1] TRUE
> is.list(result1)
[1] TRUE
如果从这个对象剥离的尺寸,它将不再是一个matrix
,将恢复到只是作为一个list
。
dim(result1) <- NULL
> result1
[[1]]
[1] 1 2
[[2]]
[1] a b
Levels: a b
> is.matrix(result1)
[1] FALSE
> is.list(result1)
[1] TRUE
> str(result1)
List of 2
$ : int [1:2] 1 2
$ : Factor w/ 2 levels "a","b": 1 2
文章来源: Why is the class and mode of the object returned by matrix() and array() the same?