这是问题所在。有一个包含N行和C列的矩阵,以及两个因子:ids
和group
,长度均为N.例如:
m <- matrix( 1:25, nrow= 5, byrow= T )
id <- factor( c( "A", "A", "A", "B", "B" ) )
group <- factor( c( "a", "b", "c", "a", "c" ) )
并非所有因素组合都存在,但每种因素组合仅存在一次。任务是转换矩阵m
,使其具有length( levels( id ) )
行和length( levels( group ) ) * C
列。换句话说,创建一个矩阵,其中每个变量对应于原始列与因子group
的所有可能级别之间的组合。缺少值(对于不存在的id和group组合)被NA替换。以下是上述示例的所需输出:
a.1 a.2 a.3 a.4 a.5 b.1 b.2 b.3 b.4 b.5 c.1 c.2 c.3 c.4 c.5
A 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
B 16 17 18 19 20 NA NA NA NA NA 21 22 23 24 25
我编写了自己的函数,但它非常无效,我确信它复制了非常简单的功能。
matrixReshuffle <- function( m, ids.row, factor.group ) {
nr <- nrow( m )
nc <- ncol( m )
if( is.null( colnames( m ) ) ) colnames( m ) <- 1:nc
ret <- NULL
for( id in levels( ids.row ) ) {
r <- c()
for( fg in levels( factor.group ) ) {
d <- m[ ids.row == id & factor.group == fg,, drop= F ]
if( nrow( d ) > 1 )
stop( sprintf( "Too many matches for ids.row= %s and factor.group= %s", id, fg ) )
else if( nrow( d ) < 1 ) {
r <- c( r, rep( NA, nc ) )
} else {
r <- c( r, d[1,] )
}
}
ret <- rbind( ret, r )
}
colnames( ret ) <- paste( rep( levels( factor.group ), each= nc ), rep( colnames( m ), length( levels( factor.group ) ) ), sep= "." )
rownames( ret ) <- levels( ids.row )
return( ret )
}
答案 0 :(得分:2)
关注@Aaron的建议:
使用melt
中的acast
和reshape2
:
require(reshape2)
df <- as.data.frame(m)
names(df) <- seq_len(ncol(df))
df.m <- melt(df)
df.m$id <- rep(id, nrow(df.m)/length(id))
df.m$group <- rep(group, nrow(df.m)/length(group))
o <- acast(df.m, id ~ group+variable, value.var="value")
colnames(o) <- sub("_", ".", colnames(o))
# a.1 a.2 a.3 a.4 a.5 b.1 b.2 b.3 b.4 b.5 c.1 c.2 c.3 c.4 c.5
# A 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
# B 16 17 18 19 20 NA NA NA NA NA 21 22 23 24 25
您可以将其转换回矩阵。
答案 1 :(得分:2)
对于那里的所有矩阵索引粉丝......
C <- ncol(m)
to.row <- matrix(rep(as.numeric(id), C), ncol=C)
to.col <- sweep(col(m),1,(as.numeric(group)-1)*C,`+`)
out <- array(dim=c(nlevels(id), nlevels(group)*C),
dimnames=list(levels(id), as.vector(t(outer(levels(group), 1:C, paste, sep=".")))))
out[cbind(as.vector(to.row), as.vector(to.col))] <- m
out
# a.1 a.2 a.3 a.4 a.5 b.1 b.2 b.3 b.4 b.5 c.1 c.2 c.3 c.4 c.5
# A 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
# B 16 17 18 19 20 NA NA NA NA NA 21 22 23 24 25
答案 2 :(得分:1)
这是@Arun的回复版本,略有修改,以便(对我而言)更容易理解。另外,我总是对复制群体因素持谨慎态度;我发现在实践中,这是系统错误的潜在来源之一。更好地直接接管id和group,让melt()完成复制因素的工作。但那些只是小事。
# add the aggregating variables to the matrix, converted to data frame
df <- data.frame( m )
df$id <- id
df$group <- group
# reshape the data frame
require( reshape2 )
df.m <- melt( df, c( "id", "group" ) )
df <- dcast( df.m, id ~ group + variable )
# df has the required shape, but convert it back to a matrix
rownames( df ) <- df$id
df$id <- NULL
m.reshaped <- as.matrix( df )