QR Decomposition

The QR decomposition (or factorization) is an algorithm that converts a given matrix ${\bf A}$ into a product ${\bf A}={\bf Q}{\bf R}$ of an orthogonal matrix ${\bf Q}$ and a right or upper triangular matrix ${\bf R}$ with $r_{ij}=0\;(i>j)$. In the following we consider two methods for the QR decomposition.

The QR decomposition finds many applications, such as solving a linear system ${\bf Ax}={\bf b}$:

$\displaystyle {\bf A}{\bf x}={\bf Q}{\bf R}{\bf x}={\bf Q}{\bf y}={\bf b}$ (75)

where ${\bf y}={\bf R}{\bf x}$ can be obtained as:

$\displaystyle {\bf y}={\bf Q}^{-1}{\bf b}={\bf Q}^T{\bf b}$ (76)

and then ${\bf x}$ can be obtained by solving ${\bf R}{\bf x}={\bf y}$ with an upper triangular coefficient matrix ${\bf R}$ by back-substitution.

More importantly, the QR decomposition is the essential part of the QR algorithm for solving the eigenvalue problem of a general matrix, to be considered in the following section.

The Matlab code listed below carries out the QR decomposition by both the Householder transformation and the Gram-Schmidt method:

function [Q A]=QR_Householder(A)  % QR decomposition by Householder transformation
    [m n]=size(A);
    Q=eye(m);
    for i=1:n-1                   % for all n columns of A
        e=zeros(n+1-i,1);   
        e(1)=1;     
        a=A(i:n,i);               % first column of lower-right block of A
        u=a-norm(a)*e;
        v=u/norm(u);
        P=eye(n);
        P(i:n,i:n)=P(i:n,i:n)-2*v*v';   % Householder matrix
        A=P*A;
        Q=Q*P;
    end
end


function [Q R]=QR_GramSchmidt(A)  % QR decomposition by Gram-Schmidt method
    [m n]=size(A);
    Q=zeros(m,n);
    R=zeros(n);
    R(1,1)=norm(A(:,1));
    Q(:,1)=A(:,1)/R(1,1);
    for j=2:n
        Q(:,j)=A(:,j);
        for i=1:j-1
            Q(:,j)=Q(:,j)-A(:,j)'*Q(:,i)*Q(:,i);
            R(i,j)=A(:,j)'*Q(:,i);
        end
        R(j,j)=norm(Q(:,j));
        Q(:,j)=Q(:,j)/norm(Q(:,j));
    end    
end