C++练习3
练习
终端上输出 3.14 要求实现 myDouble的 operator+ operator- operator*
(不考虑进位)
class myOut
{
没有私有成员 只有公开函数
}
myOut out;
out << 1 终端输出1
out << 3.14 终端输出3.14
out << "hello" 终端输出hello
out << endl 终端输出换行符
不允许使用 cout 去做,用printf 去做
#include <iostream>
#include <cstring>
#include <cstdlib>
#include <unistd.h>
#include <sstream>
#include <vector>
#include <memory>using namespace std;
class myDouble{
private:
int a;
int b;public:
myDouble(int a=0,int b=0):a(a),b(b){}
void show(){
cout << a << "." << abs(b) << endl;
}
myDouble operator+(const myDouble& r){
myDouble res;
res.a = this->a + r.a;
res.b = this->b + r.b;
return res;
}
myDouble operator-(const myDouble& r){
myDouble res;
res.a = this->a - r.a;
res.b = this->b - r.b;
return res;
}
myDouble operator*(const myDouble& r){
myDouble res;
res.a = this->a * r.a;
res.b = this->b * r.b;
return res;
}
};
class myOut {
public:
// 处理整数
myOut& operator<<(int value) {
printf("%d", value);
return *this;
}// 处理浮点数(自动调整格式)
myOut& operator<<(double value) {
printf("%g", value);
return *this;
}// 处理字符串
myOut& operator<<(const char* str) {
printf("%s", str);
return *this;
}// 处理endl(函数指针)
myOut& operator<<(myOut& (*manip)(myOut&)) {
return manip(*this);
}
};// 实现全局的endl函数
myOut& endl(myOut& out) {
printf("\n");
return out;
}
int main(int argc,const char** argv){
myDouble x(3,14);
myDouble y(2,4);
myDouble temp = x + y;
temp.show();
temp = x - y;
temp.show();
temp = x * y;
temp.show();
myOut out;
out << 1;
out << 3.14; // 输出: 3.14
out << "hello"; // 输出: hello
out << endl; // 输出换行// 链式调用
out << 1 << 3.1415926 << " world" << endl; // 输出: 13.1416 world}