Reputation: 15
I have tried to use this code to do a LU decomposition of nxn matrix but I keep getting 'IndexError: list index out of range'. Any idea what went wrong here and how to fix this?
import numpy as np
import pylab
from pprint import pprint
def matrixMul(A, B):
TB = zip(*B)
return [[sum(ea*eb for ea,eb in zip(a,b)) for b in TB] for a in A]
def permut(m):
n = len(m)
ID = [[float(i == j) for i in range(n)] for j in range(n)]
for j in range(n):
row = max(range(j, n), key=lambda i: abs(m[i][j]))
if j != row:
ID[j], ID[row] = ID[row], ID[j]
return ID
def lu(A):
n = len(A)
L = [[0.0] * n for i in range(n)]
U = [[0.0] * n for i in range(n)]
P = permut(A)
A2 = matrixMul(P, A)
for j in range(n):
L[j][j] = 1.0
for i in range(j+1):
s1 = sum(U[k][j] * L[i][k] for k in range(i))
U[i][j] = A2[i][j] - s1
for i in range(j, n):
s2 = sum(U[k][j] * L[i][k] for k in range(j))
L[i][j] = (A2[i][j] - s2) / U[j][j]
return (L, U, P)
I have been trying to use the above function with following code:
a = np.array([[2, 1, 5], [4, 4, -4], [1, 3, 1]]);
for part in lu(a):
pprint(part)
print
print
It is supposed to return matrixes L,U,P but all i get is this error message:
---------------------------------------------------------------------------
IndexError Traceback (most recent call last)
<ipython-input-52-da52bba817aa> in <module>()
1 a = np.array([[2, 1, 5], [4, 4, -4], [1, 3, 1]]);
----> 2 for part in lu(a):
3 pprint(part)
4 print
5 print
<ipython-input-51-e49d88430e36> in lu(A)
27 for i in range(j, n):
28 s2 = sum(U[k][j] * L[i][k] for k in range(j))
---> 29 L[i][j] = (A2[i][j] - s2) / U[j][j]
30 return (L, U, P)
31 print(L)
Upvotes: 0
Views: 164
Reputation: 76
I tried printing the matrix A2. I got this
A2 =
[[4.0, 4.0, -4.0], [], []]
Looks like matrixMul function is working incorrectly
I replaced
A2 = matrixMul(P, A)
With this.
A2 = np.dot(P, A)
numpy.dot function is equivalent to matrix multiplication for a 2D array (i.e. a matrix)
The error is gone.
However, I can't tell you about the correctness of the LU decomposition answer.
Upvotes: 1
Reputation: 64949
The problem appears to be on this line in matrixMul
:
TB = zip(*B)
zip
returns an iterator, and you can only iterate through the contents once. If you have a look at the value of A2
you will find that it is [[4.0, 4.0, -4.0], [], []]
.
You can fix the problem by replacing the line above with
TB = list(zip(*B))
which sets TB
to a list which can be iterated through as many times as you like, or by getting rid of this line and rewriting the line below as follows:
return [[sum(ea*eb for ea,eb in zip(a,b)) for b in zip(*B)] for a in A]
In this case, zip(*B)
is being evaluated once for each row in A
, so you get a whole new iterator to iterate through for each row.
Upvotes: 2
Reputation: 1275
Your matrixMul function isn't doing what you want it to do and the shape of A2 is wrong.
You want this
return [[sum(a*b for a,b in zip(X_row,Y_col)) for Y_col in zip(*Y)] for X_row in X]
Upvotes: 1