如今想设计这样的一个计算器类,对提交上来的数据进行运算并返回结果:
- class calculation
- {
- public:
- calculation(int a, int b, string op) :_a(a), _b(b), _op(op)
- {};
- int getret()
- {
- if (_op == "+")
- return _a + _b;
- if (_op == "-")
- return _a - _b;
- if (_op == "*")
- return _a * _b;
- if (_op == "/")
- return _a / _b;
- }
- private:
- int _a;
- int _b;
- string _op;
- int _ret = 0;
- };
- void test()
- {
- calculation* ca1 = new calculation(1, 1, "+");
- cout << ca1->getret()<
- calculation* ca2 = new calculation(1, 1, "*");
- cout << ca2->getret()<
- }
- int main()
- {
- test();
- return 0;
- }
但是这段代码存在问题:如果想对该计算器类增添新的功能,比如说取余或者开方等等。那么就需要修改函数内的代码,这样就导致了一个问题:我们在修改代码的时候可能会出错,导致一系列后果,这就是所谓的高耦合。但是我们想到的是低耦合的代码。所以可以将不同的运算分别写在一个类中。这样就避免了上述问题:
- #include
- using namespace std;
- class getretClass
- {
- virtual int getret() = 0;
- };
- class Plus:public getretClass
- {
- public:
- Plus(int a, int b) :_a(a), _b(b) {};
- virtual int getret()
- {
- return _a + _b;
- }
- private:
- int _a;
- int _b;
- };
- class Minus:public getretClass
- {
- public:
- Minus(int a, int b) :_a(a), _b(b) {};
- virtual int getret()
- {
- return _a - _b;
- }
- private:
- int _a;
- int _b;
- };
- // 其他运算省略了
- void test()
- {
- Plus* plus = new Plus(1, 2);
- cout << plus->getret() << endl;
- Minus* minus = new Minus(2, 1);
- cout << minus->getret() << endl;
- }
- int main()
- {
- test();
- return 0;
- }
-
相关阅读:
Golang学习笔记
趋势分析 | 如何选择适合超融合的备份方案?
离线配置ohmyzsh nvim tldr conda ssh nvm
SSO 基于token vue + element ui spring boot前端分离
某电商商品搜索系统架构设计
PLC中ST编程的星角降压启动
风控——利用决策树挖掘策略规则
软考 系统架构设计师系列知识点之软件可靠性基础知识(6)
Java计算机毕业设计单车管理系统源码+系统+数据库+lw文档
Flink中的时间和窗口操作
-
原文地址:https://blog.csdn.net/qq_64863535/article/details/136431568