Created
April 14, 2011 13:15
-
-
Save fonnesbeck/919453 to your computer and use it in GitHub Desktop.
Least squares with equality constraint (taken and modified from http://fseoane.net/blog/2011/least-squares-with-equality-constrain/)
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import numpy as np | |
from scipy import linalg | |
def lse(A, b, B, d, cond=None): | |
""" | |
Equality-contrained least squares. | |
The following algorithm minimizes ||Ax - b|| subject to the | |
constrain Bx = d. | |
Parameters | |
---------- | |
A : array-like, shape=[m, n] | |
b : array-like, shape=[m] | |
B : array-like, shape=[p, n] | |
d : array-like, shape=[p] | |
cond : float, optional | |
Cutoff for 'small' singular values; used to determine effective | |
rank of A. Singular values smaller than | |
"rcond * largest_singular_value" are considered zero. | |
Reference | |
--------- | |
Matrix Computations, Golub & van Loan, algorithm 12.1.2 | |
Examples | |
-------- | |
>>> A, b = [[0, 2, 3], [1, 3, 4.5]], [1, 1] | |
>>> B, d = [[1, 1, 0]], [1] | |
>>> lse(A, b, B, d) | |
array([-0.5 , 1.5 , -0.66666667]) | |
""" | |
A, b, B, d = map(np.asanyarray, (A, b, B, d)) | |
p = B.shape[0] | |
# QR decomposition of constraint matrix B | |
Q, R = linalg.qr(B.T) | |
# Solve Ax = b, assuming A is triangular | |
y = linalg.solve_triangular(R[:p, :p], d, trans='T', lower=False) | |
A = np.dot(A, Q) | |
# Least squares solution to Ax = b | |
z = linalg.lstsq(A[:, p:], b - np.dot(A[:, :p], y), | |
cond=cond)[0].ravel() | |
return np.dot(Q[:, :p], y) + np.dot(Q[:, p:], z) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment