运用c++语句实现重载运算符“<<”和“>>”的算法。
时间: 2023-12-12 19:04:13 浏览: 103
重载运算符"<<"和">>"是C++语言中比较常用的运算符之一,用于实现数据的输入输出。下面是重载运算符"<<"和">>"的C++代码实现。
```c++
#include <iostream>
using namespace std;
class Complex {
public:
Complex(int r = 0, int i = 0) : real(r), imag(i) {}
friend ostream& operator<<(ostream& out, const Complex& c);
friend istream& operator>>(istream& in, Complex& c);
private:
int real, imag;
};
ostream& operator<<(ostream& out, const Complex& c) {
out << c.real << "+" << c.imag << "i";
return out;
}
istream& operator>>(istream& in, Complex& c) {
cout << "请输入实部和虚部:";
in >> c.real >> c.imag;
return in;
}
int main() {
Complex c1(3, 4), c2;
cout << "c1 = " << c1 << endl;
cin >> c2;
cout << "c2 = " << c2 << endl;
return 0;
}
```
在上面的代码中,我们定义了一个复数类Complex,重载了输出运算符"<<"和输入运算符">>"。在输出运算符"<<"中,我们使用了友元函数,将实部和虚部输出到ostream对象中;在输入运算符">>"中,我们同样使用了友元函数,从istream对象中读取实部和虚部。在main函数中,我们分别创建了两个Complex对象,使用输出运算符"<<"将c1的值输出到控制台,使用输入运算符">>"从控制台读取c2的值,并使用输出运算符"<<"将c2的值输出到控制台。
阅读全文