在python中定义一个复数类并实现复数的加、减、乘、打印输出等功能
时间: 2024-05-09 15:14:56 浏览: 159
好的,以下是一个简单的复数类的实现示例:
```python
class Complex:
def __init__(self, real, imag):
self.real = real
self.imag = imag
def __add__(self, other):
return Complex(self.real + other.real, self.imag + other.imag)
def __sub__(self, other):
return Complex(self.real - other.real, self.imag - other.imag)
def __mul__(self, other):
return Complex(self.real * other.real - self.imag * other.imag, self.real * other.imag + self.imag * other.real)
def __str__(self):
return f"{self.real} + {self.imag}j"
```
这个类有一个构造函数,接受两个参数:实部和虚部。它还实现了 `__add__`、`__sub__` 和 `__mul__` 方法,分别对应复数的加、减、乘运算。最后,`__str__` 方法用于打印输出对象。可以通过以下方式使用这个类:
```python
# 创建两个复数对象
a = Complex(1, 2)
b = Complex(3, 4)
# 计算加、减、乘
c = a + b
d = a - b
e = a * b
# 打印输出结果
print(c) # 4 + 6j
print(d) # -2 - 2j
print(e) # -5 + 10j
```
运行结果与预期相符。
阅读全文