我正在使用gf256库进行galois字段数学运算,并将其存储在numpy矩阵中。尽管在调用np.linalg.inv()
时会引发错误。
那是摘要,这是详细信息:
import numpy as np
from gf256 import GF256 as gf
npgf = np.vectorize(gf)
arr = np.identity(4, np.uint8) * 10
gfarr = npgf(arr)
毕竟,gfarr
看起来像这样
array([[GF256(0b00001010), GF256(0b00000000), GF256(0b00000000),
GF256(0b00000000)],
[GF256(0b00000000), GF256(0b00001010), GF256(0b00000000),
GF256(0b00000000)],
[GF256(0b00000000), GF256(0b00000000), GF256(0b00001010),
GF256(0b00000000)],
[GF256(0b00000000), GF256(0b00000000), GF256(0b00000000),
GF256(0b00001010)]], dtype=object)
np.linalg.inv(gfarr)
会引发此错误
Traceback (most recent call last):
File "<pyshell#152>", line 1, in <module>
np.linalg.inv(gfarr)
File "[python3.6]\lib\site-packages\numpy\linalg\linalg.py", line 528, in inv
ainv = _umath_linalg.inv(a, signature=signature, extobj=extobj)
TypeError: No loop matching the specified signature and casting
was found for ufunc inv
矩阵肯定是可逆的,并且GF256类支持所有常用的运算符。可以使用numpy进行这项工作吗?
答案 0 :(得分:0)
np.linalg.inv
将使用浮点数调用矩阵求逆的 BLAS/LAPACK 实现,但您需要在矩阵求逆过程中使用伽罗瓦域算法。为此,NumPy 数组需要拦截或覆盖对 np.linalg.inv
中的 __array_function__()
的调用。 A
的矩阵求逆可以在 Galois 域上使用 [A | I]
上的高斯消元来完成,从而产生 [I | A^-1]
。
我有一个类似的用例,所以我创建了一个名为 galois 的 Python 包,它在 Galois 字段上扩展了 NumPy 数组。它使用 Numba 将 NumPy ufunc 替换为 JIT 编译的 ufunc。这意味着数组算术与普通 NumPy 算术一样快或几乎一样快。请参阅此performance comparison。
它还支持线性代数并覆盖相关的 np.linalg
函数。因此,您正在寻找的矩阵求逆是开箱即用的。这是使用矩阵的示例。
In [1]: import numpy as np
In [2]: import galois
In [3]: GF = galois.GF(2**8)
In [4]: print(GF.properties)
GF(2^8):
characteristic: 2
degree: 8
order: 256
irreducible_poly: x^8 + x^4 + x^3 + x^2 + 1
is_primitive_poly: True
primitive_element: x
In [5]: A = GF.Identity(4) * GF(10); A
Out[5]:
GF([[10, 0, 0, 0],
[ 0, 10, 0, 0],
[ 0, 0, 10, 0],
[ 0, 0, 0, 10]], order=2^8)
In [6]: A_inv = np.linalg.inv(A); A_inv
Out[6]:
GF([[221, 0, 0, 0],
[ 0, 221, 0, 0],
[ 0, 0, 221, 0],
[ 0, 0, 0, 221]], order=2^8)
In [7]: A @ A_inv
Out[7]:
GF([[1, 0, 0, 0],
[0, 1, 0, 0],
[0, 0, 1, 0],
[0, 0, 0, 1]], order=2^8)