-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathstrategy.cpp
69 lines (58 loc) · 1.37 KB
/
strategy.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
#include <algorithm>
#include <iostream>
using namespace std;
//策略模式
/*
* 使不同的算法可以被相互替换,而不影响客户端的使用
*/
//用if else判断实现违背开闭原则
//Strategt类,定义所有支持的算法的公共接口
class Strategy {
public:
virtual void AlgorithmInterface() = 0;
virtual ~Strategy() {};
};
//ConcreteStrategy 封装了具体的算法或行为,继承Strategy
class ConcreteStrategyA : public Strategy {
virtual void AlgorithmInterface() {
cout << "算法A实现" << endl;
}
};
class ConcreteStrategyB : public Strategy {
virtual void AlgorithmInterface() {
cout << "算法B实现" << endl;
}
};
class ConcreteStrategyC : public Strategy {
virtual void AlgorithmInterface() {
cout << "算法C实现" << endl;
}
};
//Context,用一个ConcreteStrategy来配置,维护一个对Strategy的引用
class Context {
public:
Context(Strategy* strategy)
{
this->m_strategy = strategy;
};
~Context()
{
if (m_strategy)
{
delete this->m_strategy;
}
m_strategy = nullptr;
}
void DoAction() {
this->m_strategy->AlgorithmInterface();
};
private:
Strategy* m_strategy;
};
//int main() {
// Strategy* pStr = new ConcreteStrategyA();
// Context* pCon = new Context(pStr);
// pCon->DoAction();
//
// return 0;
//}