按列名称将表转换为矩阵

时间:2010-01-24 05:46:07

标签: r statistics

我的数据框如下所示

       models cores     time
1       4     1 0.000365
2       4     2 0.000259
3       4     3 0.000239
4       4     4 0.000220
5       8     1 0.000259
6       8     2 0.000249
7       8     3 0.000251
8       8     4 0.000258

...等

我想将其转换为表/矩阵,其中#models用于行标签,#cores用于列标签,时间用作数据条目

e.g。

  1 2 3 4 5 6 7 8    
1   time data
4   time data

目前我正在使用for循环将其转换为此结构,但我想知道是否有更好的方法?

3 个答案:

答案 0 :(得分:9)

检查重塑包的方法

# generate test data    
x <- read.table(textConnection('
models cores  time
4 1 0.000365
4 2 0.000259
4 3 0.000239
4 4 0.000220
8 1 0.000259
8 2 0.000249
8 3 0.000251
8 4 0.000258'
), header=TRUE)


library(reshape)
cast(x, models ~ cores)

结果:

  models        1        2        3        4
1      4 0.000365 0.000259 0.000239 0.000220
2      8 0.000259 0.000249 0.000251 0.000258

答案 1 :(得分:5)

以下是使用基函数reshape的版本:

y <- reshape(x, direction="wide", v.names="time", timevar="cores", 
             idvar="models")

输出

  models   time.1   time.2   time.3   time.4
1      4 0.000365 0.000259 0.000239 0.000220
5      8 0.000259 0.000249 0.000251 0.000258

通过重塑的艰苦工作,您可以提取所需的部分:

res <- data.matrix(subset(y, select=-models))
rownames(res) <- y$models
colnames(res) <- substr(colnames(res),6,7)

你得到矩阵:

         1        2        3        4
4 0.000365 0.000259 0.000239 0.000220
8 0.000259 0.000249 0.000251 0.000258

答案 2 :(得分:4)

你没有需要重塑包,有一个内置函数reshape可以做到。

> reshape(x,idvar="models",timevar="cores",direction="wide")
  models   time.1   time.2   time.3   time.4
1      4 0.000365 0.000259 0.000239 0.000220
5      8 0.000259 0.000249 0.000251 0.000258