如何解决scala微风中的矩阵线性系统?即,我有Ax = b,其中A是矩阵(通常是正定),x和b是向量。
我可以看到有可用的cholesky分解,但我似乎无法找到解算器? (如果它是matlab我可以做x = b \ A.如果它是scipy我可以做x = A.solve(b))
答案 0 :(得分:5)
显然,它实际上非常简单,并且作为操作员内置于scala-breeze中:
x = A \ b
它不使用Cholesky,它使用LU分解,我认为快一半,但它们都是O(n ^ 3),因此具有可比性。
答案 1 :(得分:4)
好吧,我最后写了自己的解算器。我不确定这是否是最佳方式,但这似乎并不合理? :
// Copyright Hugh Perkins 2012
// You can use this under the terms of the Apache Public License 2.0
// http://www.apache.org/licenses/LICENSE-2.0
package root
import breeze.linalg._
object Solver {
// solve Ax = b, for x, where A = choleskyMatrix * choleskyMatrix.t
// choleskyMatrix should be lower triangular
def solve( choleskyMatrix: DenseMatrix[Double], b: DenseVector[Double] ) : DenseVector[Double] = {
val C = choleskyMatrix
val size = C.rows
if( C.rows != C.cols ) {
// throw exception or something
}
if( b.length != size ) {
// throw exception or something
}
// first we solve C * y = b
// (then we will solve C.t * x = y)
val y = DenseVector.zeros[Double](size)
// now we just work our way down from the top of the lower triangular matrix
for( i <- 0 until size ) {
var sum = 0.
for( j <- 0 until i ) {
sum += C(i,j) * y(j)
}
y(i) = ( b(i) - sum ) / C(i,i)
}
// now calculate x
val x = DenseVector.zeros[Double](size)
val Ct = C.t
// work up from bottom this time
for( i <- size -1 to 0 by -1 ) {
var sum = 0.
for( j <- i + 1 until size ) {
sum += Ct(i,j) * x(j)
}
x(i) = ( y(i) - sum ) / Ct(i,i)
}
x
}
}