1 策略模式
设计模式一般是项目后期比较考虑使用的,主要是会对相关的代码进行重构,增加前期实现的不足
1.在项目开发中,可能经常会使用的多条件分支的判断例如if-else,特别是随着需求的增加,有些场景下不得不对之前的case增加逻辑,可能会涉及到相关函数的方法的修改,比较慎重的case不得不随着代码的而修改,进行回归测试等
例如
enum class operation{
case1,
case2
};
int Function(operation type)
if (type == peration::case1) {
std::cout << "this is case1 operation" << std::endl;
} else if (type == operation::case2) {
std::cout << "this is case2 operation" << std::endl;
} // 可能后续会有case 3 4 5 .....等
return 0;
}
造成每次增加一种case 就会更改整个Function里面的逻辑,特TM憋屈的一件事情
所以策略模式就可以解决上述的蛇皮问题
class BaseOperation
{
public:
BaseOperation() = default;
~BaseOperation() {}
virtual void operation() { cout << "This is Base operation()...." << endl; }
};
class case1 : public BaseOperation
{
public:
void operation() override { cout << "case1 operation()...." << endl; }
};
class case2 : public BaseOperation
{
public:
void operation() override { cout << "case2 operation()...." << endl; }
};
后续只要再增加case 3 4 5等,只需要继承BaseOperation 再具体实现自己的operation方法就可以了,不用动其他的代码,这就是比较爽
策略模式一大概其实就是这么个东西。。。