编写一个程序,定义一个复数类,含实部和虚部两个数据成员,设计一个非成员函数作为该类的友元函数,该函数的功能输出复数对象的实部和虚部。
时间: 2023-06-03 07:06:26 浏览: 120
C++复数类实部和虚部
好的,这是一个编程问题,我可以回答。以下是一个复数类的示例代码:
```c++
#include <iostream>
using namespace std;
class Complex {
public:
Complex(double r = 0.0, double i = 0.0) : real(r), imag(i) {}
void print() { cout << real << " + " << imag << "i" << endl; }
friend void printComplex(Complex c); // 友元函数声明
private:
double real, imag;
};
void printComplex(Complex c) {
cout << "Real part: " << c.real << endl;
cout << "Imaginary part: " << c.imag << endl;
}
int main() {
Complex c(3.0, 4.0);
c.print(); // 输出 "3 + 4i"
printComplex(c); // 输出 "Real part: 3" 和 "Imaginary part: 4"
return 0;
}
```
在上面的代码中,我们定义了一个复数类 `Complex`,其中包含实部和虚部两个数据成员。我们还设计了一个非成员函数 `printComplex` 作为该类的友元函数,该函数可以访问类的私有数据成员。在 `main` 函数中,我们创建了一个复数对象 `c`,并且通过对象的成员函数和友元函数分别输出了实部和虚部。输出如下:
```
3 + 4i
Real part: 3
Imaginary part: 4
```
阅读全文