Matrixoperationen mit Numpy-Arrays:
Ich würde diese Antwort gerne weiter aktualisieren über Matrix-Operationen mit Numpy-Arrays aktualisieren, falls einige Benutzer auf der Suche nach Informationen über Matrizen und Numpy sind.
Wie die akzeptierte Antwort und die numpy-ref.pdf sagten:
Die Klasse numpy.matrix wird in Zukunft entfernt werden.
Jetzt müssen also Matrix-Algebra-Operationen durchgeführt werden mit Numpy-Arrays durchgeführt werden.
a = np.array([[1,3],[-2,4]])
b = np.array([[3,-2],[5,6]])
Matrix-Multiplikation (Infix-Matrix-Multiplikation)
a@b
array([[18, 16],
[14, 28]])
Transponieren:
ab = a@b
ab.T
array([[18, 14],
[16, 28]])
Inverse einer Matrix:
np.linalg.inv(ab)
array([[ 0.1 , -0.05714286],
[-0.05 , 0.06428571]])
ab_i=np.linalg.inv(ab)
ab@ab_i # proof of inverse
array([[1., 0.],
[0., 1.]]) # identity matrix
Determinante einer Matrix.
np.linalg.det(ab)
279.9999999999999
Lösen eines linearen Systems:
1. x + y = 3,
x + 2y = -8
b = np.array([3,-8])
a = np.array([[1,1], [1,2]])
x = np.linalg.solve(a,b)
x
array([ 14., -11.])
# Solution x=14, y=-11
Eigenwerte und Eigenvektoren:
a = np.array([[10,-18], [6,-11]])
np.linalg.eig(a)
(array([ 1., -2.]), array([[0.89442719, 0.83205029],
[0.4472136 , 0.5547002 ]])