R:矩阵到索引

时间:2013-06-15 07:21:13

标签: r matrix

我有一个类似

的矩阵
      [,1] [,2]
 [1,]    1    3
 [2,]    4    6
 [3,]   11   12
 [4,]   13   14

我想将此矩阵转换为这样的矢量:

# indices 1-6, 11-14 = 1, gap indices 7-10 = 0
xx <- c(1,1,1,1,1,1,0,0,0,0,1,1,1,1)

想法:矩阵的值从1到14.并且向量的长度也是14.如果假设第一列是 start 而第二列是< em> end ,然后是矩阵中存在的范围,即1-3,4-6,11-12,13-4(或等效1-6,11- 14),我希望这些索引的值在我的输出向量中为1。并且我的矩阵中7-10的间隙在我的输出向量中的索引7-10处应该具有值0。 (感谢您的编辑)

但是,有时矩阵不会给出矩阵中的最后一个值。但是,我总是知道转换后的大小,比方说,在这种情况下,20。然后,生成的向量应该是这样的:

# indices 1-6, 11-14 = 1, gap indices 7-10 = 0, indices 15-20 = 0
xx <- c(1,1,1,1,1,1,0,0,0,0,1,1,1,1,0,0,0,0,0,0)

如果没有循环,我怎么能这样做?我的矩阵很长,我尝试使用循环很慢。

3 个答案:

答案 0 :(得分:2)

以下是使用IRanges包的答案:

require(IRanges)
xx.ir <- IRanges(start = xx[,1], end = xx[,2])
as.vector(coverage(xx.ir))
# [1] 1 1 1 1 1 1 0 0 0 0 1 1 1 1

如果您指定整个矢量长度的minmax值,则:

max.val <- 20
min.val <- 1
c(rep(0, min.val-1), as.vector(coverage(xx.ir)), rep(0, max.val-max(xx)))

答案 1 :(得分:1)

@ Arun的回答似乎更好。

现在我明白了这个问题(或者我?)。这是基础R中的一个解决方案,它利用了只需要保留连续的零序列的想法。

find.ones <- function (mat) {
  ones <- rep(0, max(mat))
  ones[c(mat)] <- 1
  ones <- paste0(ones, collapse="")
  ones <- gsub("101", "111", ones)
  ones <- as.numeric(strsplit(ones, "")[[1]])
  ones
}

在OP的原始示例中:

m <- matrix(c(1, 3, 4, 6, 11, 12, 13, 14), ncol=2, byrow=TRUE)
find.ones(m)
[1] 1 1 1 1 1 1 0 0 0 0 1 1 1 1

要对解决方案进行基准测试,让我们制作一个足够大的矩阵:

set.seed(10)
m <- sample.int(n=1e6, size=5e5)                                              
m <- matrix(sort(m), ncol=2, byrow=TRUE)                                           

head(m)                                                           
     [,1] [,2]
[1,]    1    3
[2,]    4    5
[3,]    9   10
[4,]   11   13
[5,]   14   18
[6,]   22   23

system.time(ones <- find.ones(m))

 user  system elapsed 
1.167   0.000   1.167 

答案 2 :(得分:1)

在这里抛出这个,它使用基数R并且应该有点快,因为不可避免的循环由rep处理:

zero.lengths <- m[,1] - c(0, head(m[,2], -1)) - 1
one.lengths  <- m[,2] - m[,1] + 1

rep(rep(c(0, 1), nrow(m)),
    as.vector(rbind(zero.lengths, one.lengths)))

使用sequence的其他解决方案:

out <- integer(m[length(m)])    # or `integer(20)` following OP's edit.
one.starts  <- m[,1]
one.lengths <- m[,2] - m[,1] + 1
one.idx <- sequence(one.lengths) + rep(one.starts, one.lengths) - 1L
out[one.idx] <- 1L