Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

WIP -- added placeholder file for the nearPD function #800

Open
wants to merge 5 commits into
base: master
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
1 change: 1 addition & 0 deletions .gitignore
Original file line number Diff line number Diff line change
Expand Up @@ -7,3 +7,4 @@ project
.*.swp
.idea*
.idea
.classpath
252 changes: 252 additions & 0 deletions math/src/main/scala/breeze/linalg/functions/nearpd.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,252 @@
package breeze.linalg

import util.control.Breaks.break

/** Generate the nearest (in Frobenius norm) positive definite matrix
* using the algorithm decribed in (Higham 2002)
* Inspired by the NearPD function from the Matrix package
* from Martin Maechler
* @param matA DenseMatrix of doubles n * n approximately positive definite matrix,
* typically an approximation to a correlation or covariance matrix.
* If x is not symmetric (and ensureSymmetry is not false), symmpart(x) is used.
* @param corrBool Boolean indicating if the matrix should be a correlation matrix.
* @param keepDiag Boolean generalizing corr: if true, the resulting matrix
* should have the same diagonal (diag(x)) as the input matrix.
* @param do2eigen Boolean indicating if a posdefify() eigen step should be
* applied to the result of the Higham algorithm.
* @param doSym Boolean indicating if X <- (X + t(X))/2 should be done,
* after X <- tcrossprod(Qd, Q); some doubt if this is necessary.
* @param algo Algorithm sealed trait indicating which algorithm to use
* Option 1: Dykstra -- Indicating the use of Dykstra's correction;
* true by default.
* Option2: FixedPoint -- The algorithm is basically the direct fixpoint
* iteration Y(k) = P_U(P_S(Y(k-1))).
* @param onlyVals Boolean if TRUE, the result is just the vector of
* eigenvalues of the approximating matrix.
* the target vector to mean 0 and unit variance, default is false
* @param eigTol defines relative positiveness of eigenvalues compared to
* largest one, λ_1. Eigenvalues λ_k are treated as if zero when λ_k / λ_1 ≤ eig.tol.
* @param convTol convergence tolerance for Higham algorithm.
* @param posdTol tolerance for enforcing positive definiteness
* (in the final posdefify step when do2eigen is TRUE).
* @param maxit maximum number of iterations allowed.
* @param convNormType ConvergenceNormType sealed trait indicating which
* convergence norm type (norm(*, type)) used for Higham
* algorithm. The default is Infinity, for reasons of speed (and back compatibility);
* using Frobenius is more in line with Higham's proposal. Other options are
* Norm1 or Norm2 for first and second norms respectively.
* @param trace Boolean specifying if convergence monitoring should be traced.
*/

sealed trait ConvergenceNormType
case object Infinity extends ConvergenceNormType
case object Frobenius extends ConvergenceNormType
case object Norm1 extends ConvergenceNormType
case object Norm2 extends ConvergenceNormType

sealed trait Algorithm
case object Dykstra extends Algorithm
case object FixedPoint extends Algorithm

object NearPD {
def apply(matA: DenseMatrix[Double], corrBool: Boolean = false, keepDiag: Boolean = false,
do2eigen: Boolean = true, doSym: Boolean = false, algo: Algorithm = Dykstra,
onlyVals: Boolean = false, eigTol: Double = 1e-6, convTol: Double = 1e-7, posdTol: Double = 1e-8,
maxit: Int = 100, convNormType: ConvergenceNormType = Infinity, trace: Boolean = false): DenseMatrix[Double] = {

// ensure symmetry
val symA = (matA + matA.t) / 2.0
val diagX0 = diag(symA)
//--- start algorithm ---
def generate: DenseMatrix[Double] = {
// choose Dykstra or direct
@inline val matX = if(algo == Dykstra) { doDykstraFunc(symA) } else { doDirectFixedPt(symA) }
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

what does @inline do here?

// run posdefify ?
@inline val outX = if(do2eigen || onlyVals){ posDefify(matX) } else { matX }
// return nearest pd matrix
outX
}

// posdefify eigen step
def posDefify(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
var matX = mat
val eigVecVals = eigSym(matX)
var vecd = reverse(eigVecVals.eigenvalues)
val n = mat.cols - 1
val eps = posdTol * breeze.numerics.abs(vecd(0))
if(vecd(n) < eps){
vecd = vecd.map(x => {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nit: vecd = max(x, eps)

if(x < eps){
eps
} else {
x
}
})
if(!onlyVals){
val matQ = fliplr(eigVecVals.eigenvectors)
val matDiag = diag(matX)
matX = matQ * matQ.t(::, *).map(_ * vecd)
val dVec = breeze.numerics.sqrt(pmax(matDiag, DenseVector(eps))/diag(matX))
matX = (dVec * dVec.t) *:* matX
}
}
if(onlyVals){
matX = DenseMatrix(vecd)
}
if(corrBool){
matX = corrDiagFunc(matX)
}
if(keepDiag){
matX = keepDiagFunc(matX)
}
matX
}
// parallel max
def pmax(vec0: DenseVector[Double], vec1: DenseVector[Double]): DenseVector[Double] = {
val max0 = breeze.linalg.max(vec0)
val max1 = breeze.linalg.max(vec1)
if(max0 > max1){
vec0
} else {
vec1
}
}

// keepDiag inline function
def keepDiagFunc(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
@inline val out = if(keepDiag){
DenseMatrix.tabulate(mat.rows, mat.cols)({
case(i, j) => {
if(i == j){
diagX0(i)
} else {
mat(i, j)
}
}
})
} else { mat }
out
}

// doSym inline function
def doSymFunc(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
@inline val out = if(doSym){ (mat * mat.t) / 2.0 } else { mat }
out
}
// corr diag inline function
def corrDiagFunc(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
@inline val out = if(corrBool){
DenseMatrix.tabulate(mat.rows, mat.cols)({
case(i, j) => {
if(i == j){
1.0
} else {
mat(i, j)
}
}
})
} else { mat }
out
}

// norm type function
def normTypeFunc(matX: DenseMatrix[Double], matY: DenseMatrix[Double], normType: ConvergenceNormType): Double = {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

i should really fix norm for matrices...

normType match {
case Frobenius => breeze.linalg.norm((matY - matX).toDenseVector) / breeze.linalg.norm((matY).toDenseVector)
case Norm1 => breeze.linalg.max(breeze.linalg.sum(breeze.numerics.abs(matY - matX), Axis._0)) / breeze.linalg.max(breeze.linalg.sum(breeze.numerics.abs(matY), Axis._0))
case Norm2 => breeze.linalg.max(breeze.linalg.svd(matY - matX).singularValues) / breeze.linalg.max(breeze.linalg.svd(matY).singularValues)
case Infinity => breeze.linalg.max(breeze.linalg.sum(breeze.numerics.abs(matY - matX), Axis._1)) / breeze.linalg.max(breeze.linalg.sum(breeze.numerics.abs(matY), Axis._1)) // Infinity Norm
}
}

// break if negative semi-definite
def negSemiDefCheckBreak(pcheck: Boolean): Unit = {
if(!pcheck){
println("Matrix seems negative semi-definite")
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

throw?

break
}
}

// doDykstra function
def doDykstraFunc(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
var iter: Int = 0
var converged: Boolean = false
var conv = Double.PositiveInfinity
val n: Int = mat.cols
var dSubS = DenseMatrix.zeros[Double](mat.rows, n)
var matX = mat
var matY = matX
var matR = matY
while(iter < maxit && !converged){
matY = matX
matR = matY - dSubS
val eigVecVals = eigSym(matR)
val matQ = fliplr(eigVecVals.eigenvectors)
val vecd = reverse(eigVecVals.eigenvalues)
val p = vecd.map(x => x > eigTol)
val pcheck = breeze.linalg.any(p)
negSemiDefCheckBreak(pcheck)
val matQtrim = matQ(::, p).toDenseMatrix
val vecdTrim = vecd(p).toDenseVector
val cpPt1 = DenseMatrix.tabulate(matQtrim.rows, matQtrim.cols)({
case(i, j) => matQtrim(i, j) * vecdTrim(j)
})
matX = cpPt1 * matQtrim.t
dSubS = matX - matR
matX = doSymFunc(matX)
matX = corrDiagFunc(matX)
matX = keepDiagFunc(matX)
conv = normTypeFunc(matX, matY, convNormType)
iter += 1
if(trace){
println(s"iter ${iter} : p = ${breeze.linalg.sum(vecd)} ||Y-X|| / ||Y|| = ${conv}")
}
converged = (conv < convTol)
}
if(!converged){
println(s"Did not converge in ${iter} iterations")
}
matX
}

def doDirectFixedPt(mat: DenseMatrix[Double]): DenseMatrix[Double] = {
var iter = 0
var converged = false
var conv = Double.PositiveInfinity
var matX = mat
var matY = matX
while(iter < maxit && !converged){
matY = matX
val eigVecVals = eigSym(matY)
val matQ = fliplr(eigVecVals.eigenvectors)
val vecd = reverse(eigVecVals.eigenvalues)
val p = vecd.map(x => x > eigTol).toDenseVector
val pcheck = breeze.linalg.any(p)
negSemiDefCheckBreak(pcheck)
val matQtrim = matQ(::, p).toDenseMatrix
val vecdTrim = vecd(p).toDenseVector
val cpPt1 = DenseMatrix.tabulate(matQtrim.rows, matQtrim.cols)({
case(i, j) => matQtrim(i, j) * vecdTrim(j)
})
matX = cpPt1 * matQtrim.t
matX = doSymFunc(matX)
matX = corrDiagFunc(matX)
matX = keepDiagFunc(matX)
conv = normTypeFunc(matX, matY, convNormType)
iter += 1
if(trace){
println(s"iter ${iter} : p = ${breeze.linalg.sum(vecd)} ||Y-X|| / ||Y|| = ${conv}")
}
converged = (conv < convTol)
}
if(!converged){
println(s"Did not converge in ${iter} iterations")
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

should we throw here?

}
matX
}
// generate matrix
generate
}


}
50 changes: 50 additions & 0 deletions math/src/test/scala/breeze/linalg/functions/nearPdTest.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,50 @@
package breeze.linalg.functions

import breeze.linalg.DenseMatrix
import breeze.linalg.NearPD
import org.scalatest.FunSuite

class NearPdTest extends FunSuite {

test("Higham(2002), p.334f - simple example") {
val matA = DenseMatrix(Array(Array(1d, 1d, 0d),
Array(1d, 1d, 1d),
Array(0d, 1d, 1d)
):_*
)

val expectedOutput = DenseMatrix(Array(Array(1.0, 0.7606899170501267, 0.15729807631287757),
Array(0.7606899170501267, 1.0, 0.7606899170501272),
Array(0.15729807631287773, 0.7606899170501272,1.0)
):_*
)

val testOut = NearPD(matA, corrBool = true, do2eigen = false)
assert(breeze.linalg.sum(expectedOutput - testOut) < 0.000001)
}

test("A longer example, extended from Jens' original") {
val matA = DenseMatrix(Array(Array(1d, 0.477, 0.644, 0.478, 0.651, 0.826),
Array(0.477, 1d, 0.516, 0.233, 0.682, 0.75),
Array(0.644, 0.516, 1d, 0.599, 0.581, 0.742),
Array(0.478, 0.233, 0.599, 1d, 0.741, 0.8),
Array(0.651, 0.682, 0.581, 0.741, 1d, 0.798),
Array(0.826, 0.75, 0.742, 0.8, 0.798, 1d)):_*
)

val expectedOutput = DenseMatrix(Array(Array(1.0056243002800214, 0.4848765090030602, 0.6429662739874669, 0.48707121693820393, 0.6459161928651831, 0.81377918203511530),
Array(0.4848765090030602, 1.0110305904579697, 0.5145523264942492, 0.24570371579130584, 0.6748804224899866, 0.732885456104614),
Array(0.6429662739874669, 0.5145523264942492, 1.0001899943801198, 0.5973327427958711, 0.5819343822330456, 0.7442461297261616),
Array(0.48707121693820393, 0.2457037157913059, 0.5973327427958711, 1.0146306067261412, 0.7328005250370948, 0.7802895236306836),
Array(0.6459161928651831, 0.6748804224899867, 0.5819343822330456, 0.7328005250370948, 1.0045952450012263, 0.8090463736460333),
Array(0.8137791820351152, 0.732885456104614, 0.7442461297261616, 0.7802895236306836, 0.8090463736460333, 1.0265540552332308)
):_*
)

val testOut = NearPD(matA)
assert(breeze.linalg.sum(expectedOutput - testOut) < 0.000001)
}



}