通过交替列组合矩阵

时间:2013-09-17 22:57:30

标签: r matrix

我正在寻找一种组合两个矩阵的通用方法,以便两个初始矩阵中的列在新矩阵中交替

... col1m1 ... col1m2 ... col2m1 ... col2m2 ... col3m1 ...... col3m2

例如:

matrix.odd  <- matrix(c(rep(1,3),rep(3,3),rep(5,3)),nrow=3,ncol=3)
matrix.even <- matrix(c(rep(2,3),rep(4,3),rep(6,3)),nrow=3,ncol=3)
# would look like
matrix.combined <- matrix(c(rep(1,3),rep(2,3),rep(3,3),rep(4,3),rep(5,3),rep(6,3)),
                          nrow=3,ncol=6)

我正在寻找一种通用方法,因为我将使用超过3列的矩阵组合。我已经尝试了一些for循环和一些if语句,但它并没有真正为我而来。关于将矩阵与随机和交替相结合的搜索也没有被证明是富有成效的。有什么想法吗?

5 个答案:

答案 0 :(得分:10)

像这样的Smth应该这样做:

m <- cbind(matrix.odd, matrix.even)                   # combine
m <- m[, c(matrix(1:ncol(m), nrow = 2, byrow = T))]   # then reorder

另一个有趣的选择:

matrix(rbind(matrix.odd, matrix.even), nrow = nrow(matrix.odd))

玩多种矩阵游戏:

weave = function(...) {
  l = list(...)
  matrix(do.call(rbind, l), nrow = nrow(l[[1]]))
}

答案 1 :(得分:8)

rows.combined <- nrow(matrix.odd) 
cols.combined <- ncol(matrix.odd) + ncol(matrix.even)
matrix.combined <- matrix(NA, nrow=rows.combined, ncol=cols.combined)
matrix.combined[, seq(1, cols.combined, 2)] <- matrix.odd
matrix.combined[, seq(2, cols.combined, 2)] <- matrix.even

答案 2 :(得分:4)

alternate.cols <- function(m1, m2) {
  cbind(m1, m2)[, order(c(seq(ncol(m1)), seq(ncol(m2))))]
}

identical(matrix.combined, alternate.cols(matrix.odd, matrix.even))
# [1] TRUE

如果m1m2的列数不同,这也是正确的(主观的):

alternate.cols(matrix.odd, matrix.even[, -3])
#      [,1] [,2] [,3] [,4] [,5]
# [1,]    1    2    3    4    5
# [2,]    1    2    3    4    5
# [3,]    1    2    3    4    5

很容易推广到任意数量的矩阵:

alternate.cols <- function(...) {
  l <- list(...)
  m <- do.call(cbind, l)
  i <- order(sequence(sapply(l, ncol)))
  m[, i]
}

答案 3 :(得分:2)

你可以变成一个3D阵列然后转置......

arr <- array( c(m1,m2) , dim = c(dim(m1),2) )
matrix( aperm( arr , c(1,3,2) ) , nrow(m1) )
     [,1] [,2] [,3] [,4] [,5] [,6]
[1,]    1    2    3    4    5    6
[2,]    1    2    3    4    5    6
[3,]    1    2    3    4    5    6

作为一种功能,通用于许多矩阵......

bindR <- function(...){
    args <- list(...)
    dims <- c( dim(args[[1]]) , length(args) )
    arr <- array( unlist( args ) , dim = dims )
    matrix( aperm( arr , c(1,3,2) ) , dims[1] )
}


bindR(m1,m2,m1,m2)
#     [,1] [,2] [,3] [,4] [,5] [,6] [,7] [,8] [,9] [,10] [,11] [,12]
#[1,]    1    2    1    2    3    4    3    4    5     6     5     6
#[2,]    1    2    1    2    3    4    3    4    5     6     5     6
#[3,]    1    2    1    2    3    4    3    4    5     6     5     6

答案 4 :(得分:0)

可能有更简洁的方法来做到这一点。如果矩阵很大,您可能需要寻找更有效的方法。

# Test data
(X <- matrix(1:16, nrow=4, ncol=4))
(Y <- matrix(-16:-1, nrow=4, ncol=4))

# Set indices for the new matrix
X.idx <- seq(1, ncol(X)*2, by=2)
Y.idx <- seq(2, ncol(Y)*2+1, by=2)

# Column bind the matrices and name columns according to the indices
XY <- cbind(X, Y)
colnames(XY) <- c(X.idx, Y.idx)

# Now order the columns
XY[, order(as.numeric(colnames(XY)))]