how to compute all the minors with a given order of a matrix in matlab

6.7k Views Asked by At

I have a matrix m*n, I want from it all the minors (the determinant of the submatrices) of order p.

I din't found anything good in the documentation, I could do it with a function written by my self, but I'd prefer something out of the box.

My real need is to check when,in a symbolic matrix, I have a fall of rank,and that happens when all the minors of that rank and above are zeros.

Any idea to do it with pure matlab comands? since there is a function to evalutate rank it has get the minors someway.

3

There are 3 best solutions below

1
On BEST ANSWER

There appear to be some good answers already, but here is a simple explanation of what you can do:

Suppose you want to know the rank of every i-jth submatrix of a matrix M.

Now i believe the simplest way to get all ranks is to loop over all rows and columns and store this result in a matrix R.

M = magic(5);
R = NaN(size(M));
for i=1:size(M,1);
  for j=1:size(M,2);
    R(i,j) = rank(M([1:i-1 i+1:end],[1:j-1 j+1:end]));
  end
end

If you want all determinants replace rank with det.

1
On

This calculates the submatrix:

submatrix=@(M,r,c)M([1:r-1,r+1:end],[1:c-1,c+1:end])

You may either use 'arrayfun' and 'meshgrid' or two loops to iterate over all submatrices.

1
On

Caveat: I don't have the Symbolic Toolbox but for a regular matlab array you can calculate the i-th, j-th minor with an anonymous function like this:

minor = @(i,j,A)det(A(setdiff([1:end],[i]),setdiff([1:end],[j])))

Or if you want the i-th, j-th cofactor, simply use:

cofactor = @(i,j,A)(-1)^(i+j)*det(A(setdiff([1:end],[i]),setdiff([1:end],[j])))

But as mentioned I don't know if something like this will work with the Symbolic Toolbox. If it does not work as-is, perhaps this can at least give you some ideas on how you might implement the function for the symbolic case.

Hope this helps.