1
1
forked from kalmar/DALGLI0
DALGLI0/wielomiany.py

90 lines
2.2 KiB
Python
Raw Permalink Normal View History

2018-06-07 10:06:57 +02:00
import sys
import ast
2018-06-07 01:25:32 +02:00
class Polynomial:
n = 0
2018-06-07 10:06:57 +02:00
def __init__(self, coef_list):
self.degree = len(coef_list) - 1
self.coefficients = coef_list
2018-06-07 01:25:32 +02:00
@staticmethod
def multiply(p1, p2):
result = [0] * (p1.degree + p2.degree + 1)
f = p1.coefficients
g = p2.coefficients
for i in range(0, len(f)):
for j in range(0, len(g)):
result[i+j] += f[i] * g[j]
result = [x % int(n) for x in result]
2018-06-07 10:06:57 +02:00
return Polynomial(result)
2018-06-07 01:25:32 +02:00
@staticmethod
def divide(p1, p2):
def inverse(x):
for i in range(1, int(n)):
r = (i * x) % int(n)
if r == 1:
break
else:
raise ZeroDivisionError
return i
if p1.degree < p2.degree:
return p1
f = p1.coefficients
g = p2.coefficients
g_lead_coef = g[-1]
g_deg = p2.degree
while len(f) >= len(g):
f_lead_coef = f[-1]
tmp_coef = f_lead_coef * inverse(g_lead_coef)
tmp_exp = len(f) - 1 - g_deg
tmp = []
for i in range(tmp_exp):
tmp.append(0)
tmp.append(tmp_coef)
2018-06-07 10:06:57 +02:00
tmp_poly = Polynomial(tmp)
2018-06-07 01:25:32 +02:00
sub = Polynomial.multiply(p2, tmp_poly)
f = [x - y for x, y in zip(f, sub.coefficients)]
f = [x % int(n) for x in f]
while f and f[-1] == 0:
f.pop()
2018-06-07 10:06:57 +02:00
return Polynomial(f)
2018-06-07 01:25:32 +02:00
@staticmethod
def gcd(p1, p2):
if len(p2.coefficients) == 0:
return p1
return Polynomial.gcd(p2, Polynomial.divide(p1, p2))
2018-06-07 10:06:57 +02:00
def main():
c1 = ast.literal_eval(sys.argv[2])
c2 = ast.literal_eval(sys.argv[3])
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
f = Polynomial(c1)
g = Polynomial(c2)
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
ans = []
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
mul = Polynomial.multiply(f, g)
ans.append(mul.coefficients)
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
try:
div = Polynomial.divide(f, g)
ans.append(div.coefficients)
except ZeroDivisionError as e:
ans.append(e)
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
try:
gcd = Polynomial.gcd(f, g)
ans.append(gcd.coefficients)
except ZeroDivisionError as e:
ans.append(e)
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
print(ans)
2018-06-07 01:25:32 +02:00
2018-06-07 10:06:57 +02:00
if __name__ == "__main__":
n = int(sys.argv[1])
main()