Created
April 12, 2011 13:05
-
-
Save fabianp/915461 to your computer and use it in GitHub Desktop.
Equality constrained least squares
This file contains hidden or 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 | |
def lse(A, b, B, d): | |
""" | |
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=[p, n] | |
b : array-like, shape=[m] | |
d : array-like, shape=[p] | |
Reference | |
--------- | |
Matrix Computations, Golub & van Loan, algorithm 12.1.2 | |
Examples | |
-------- | |
>>> A = np.array([[0, 1], [2, 3], [3, 4.5]]) | |
>>> b = np.array([1, 1]) | |
>>> # equality constrain: ||x|| = 1. | |
>>> B = np.ones((1, 3)) | |
>>> d = np.ones(1) | |
>>> lse(A.T, b, B, d) | |
array([-0.5, 3.5, -2. ]) | |
""" | |
from scipy import linalg | |
if not hasattr(linalg, 'solve_triangular'): | |
# compatibility for old scipy | |
solve_triangular = linalg.solve | |
else: | |
solve_triangular = linalg.solve_triangular | |
A, b, B, d = map(np.asanyarray, (A, b, B, d)) | |
p = B.shape[0] | |
Q, R = linalg.qr(B.T) | |
y = solve_triangular(R[:p, :p].T, d) | |
A = np.dot(A, Q) | |
z = linalg.lstsq(A[:, p:], b - np.dot(A[:, :p], y))[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