这是问题所在。有一个 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 )
}