我在 R 中有一个非常大(大约 9100 万个非零条目)的 sparseMatrix(),它看起来像:
> myMatrix
a b c
a . 1 2
b 1 . .
c 2 . .
我想将其转换为三角矩阵(上或下),但是当我尝试 myMatrix = myMatrix * lower.tri(myMatrix) 时,出现一个错误,即“问题对于 lower.tri() 来说太大了”。想知道是否有人可能知道解决方案。谢谢你的帮助!
我在 R 中有一个非常大(大约 9100 万个非零条目)的 sparseMatrix(),它看起来像:
> myMatrix
a b c
a . 1 2
b 1 . .
c 2 . .
我想将其转换为三角矩阵(上或下),但是当我尝试 myMatrix = myMatrix * lower.tri(myMatrix) 时,出现一个错误,即“问题对于 lower.tri() 来说太大了”。想知道是否有人可能知道解决方案。谢谢你的帮助!
与其处理矩阵本身,不如处理它summary
:
library(Matrix)
myMatrix <- sparseMatrix(
i = c(1,1,2,3),
j = c(2,3,1,1),
x = c(1,2,1,2))
myMatrix
# 3 x 3 sparse Matrix of class "dgCMatrix"
#
# [1,] . 1 2
# [2,] 1 . .
# [3,] 2 . .
mat.summ <- summary(myMatrix)
lower.summ <- subset(mat.summ, i >= j)
sparseMatrix(i = lower.summ$i,
j = lower.summ$j,
x = lower.summ$x,
dims = dim(myMatrix))
# 3 x 3 sparse Matrix of class "dgCMatrix"
#
# [1,] . . .
# [2,] 1 . .
# [3,] 2 . .
当你有一个大的稀疏矩阵时,这个会快一点:
ind <- which(myMatrix@i > myMatrix@j)
myMatrix_lower <- sparseMatrix(i = myMatrix@i[ind],
j = myMatrix@j[ind],
x = myMatrix@x[ind] ,
dims = dim(myMatrix),
giveCsparse = F, index1 = FALSE)