Normalize a symmetric matrix by fixing unique diagonal value

1k Views Asked by At

I have a symmetric matrix a for which the diagonal elements can be different.

>>> import numpy as np
>>> a = np.array([[3, 7, 6], [7, 2, 5], [6, 5, 1]])
>>> a
array([[3, 7, 6],
       [7, 2, 5],
       [6, 5, 1]])

I would like to normalize this matrix to make all the diagonal elements 0 like this:

array([[0, x1, x2],
       [x1, 0, x3],
       [x2, x3, 0]])

How can I do it (in Python if possible)? Any help will be very appreciated, thank you.

2

There are 2 best solutions below

1
On

If you want to make all the diagonal elements 0, just use a simple for-loop.

for i in range(len(matrix)):
    matrix[i][i] = 0
1
On

You may use the following command: np.fill_diagonal(a, 0) (https://numpy.org/doc/stable/reference/generated/numpy.fill_diagonal.html)


Following your clarifications: if I understand well what you want to do, then you can distinguish between two cases.

  • a invertible ==> use X = np.linalg.solve(a, A)
  • a not invertible ==> in this case there can be either no solution or infinitely many solutions.

For example, if a is not invertible but A is invertible, then there is no solution (otherwise X*A^-1 would provide an inverse for a). In general, a necessary condition for a solution to exist is that rk(A) <= rk(a) (by the rank theorem).

In this other case, there are infinitely many solutions

a = array([[0, 0, 0],
           [0, 2, 0],
           [0, 0, 1]])

A = array([[0., 0., 0.],
           [0., 0., 1.],
           [0., 1., 0.]])

since

    array([[0. , 0. , 0. ],              array([[1., 1., 1.],
X =        [0. , 0. , 0.5],     + lbda *        [0., 0., 0.],
           [0. , 1. , 0. ]])                    [0., 0., 0.]])

solves np.dot(a,X) = A for each real value of lbda.

If you are in this second case (infinitely many solutions), you can use

X = np.linalg.lstsq(a,A)[0]

which provides a solution even in the case when a is not invertible (and returns the same result as np.linalg.solve if a is invertible). If no solution exists, this command returns a matrix such that np.dot(a,X) is "as close as possible" to A. You can realize that this is the case by adding a final check like assert np.max(np.abs(np.dot(a,X) - A)) < 1E-5.