一元多项式相加运算代码
时间: 2024-09-15 15:01:26 浏览: 41
一元多项式的相加运算通常涉及到将同类项合并,也就是将系数相加,幂次不变。如果你需要编写一个简单的代码示例,这通常会在编程语言中用数组或列表表示每个多项式的系数和指数。这里是一个简化的Python代码例子:
```python
class Polynomial:
def __init__(self, coefficients):
self.coefficients = coefficients
def add(self, other):
# 确保两个多项式长度相同
if len(self.coefficients) != len(other.coefficients):
raise ValueError("Polynomials must have the same degree")
result = [0] * (max(len(self.coefficients), len(other.coefficients)))
for i in range(len(self.coefficients)):
result[i] += self.coefficients[i]
result[i] += other.coefficients[i]
return Polynomial(result)
# 示例
poly1 = Polynomial([2, 3]) # 2x^0 + 3x^1
poly2 = Polynomial([4, 5, 6]) # 4x^0 + 5x^1 + 6x^2
sum_poly = poly1.add(poly2)
```
在这个例子中,`add`方法比较两个多项式的系数,并将它们对应的系数相加,然后返回一个新的`Polynomial`对象。
阅读全文