意图:可以根据上下文,使用不同的业务规则或算法。
优点:
1、 策略模式提供了管理相关的算法族的办法。策略类的等级结构定义了一个算法或行为族。恰当使用继承可以把公共的代码转移到父类里面,从而避免重复的代码。
2、 策略模式提供了可以替换继承关系的办法。继承可以处理多种算法或行为。如果不是用策略模式,那么使用算法或行为的环境类就可能会有一些子类,每一个子类提供一个不同的算法或行为。但是,这样一来算法或行为的使用者就和算法或行为本身混在一起。决定使用哪一种算法或采取哪一种行为的逻辑就和算法或行为的逻辑混合在一起,从而不可能再独立演化。继承使得动态改变算法或行为变得不可能。
3、 使用策略模式可以避免使用多重条件转移语句。多重转移语句不易维护,它把采取哪一种算法或采取哪一种行为的逻辑与算法或行为的逻辑混合在一起,统统列在一个多重转移语句里面,比使用继承的办法还要原始和落后。
缺点:
1、客户端必须知道所有的策略类,并自行决定使用哪一个策略类。这就意味着客户端必须理解这些算法的区别,以便适时选择恰当的算法类。换言之,策略模式只适用于客户端知道所有的算法或行为的情况。
2、 策略模式造成很多的策略类,每个具体策略类都会产生一个新类。有时候可以通过把依赖于环境的状态保存到客户端里面,而将策略类设计成可共享的,这样策略类实例可以被不同客户端使用。换言之,可以使用享元模式来减少对象的数量。
代码:
strategy.h
#ifndef _STRATEGY_H_
#define _STRATEGY_H_
class ShootStrategy
{
public:
~ShootStrategy(){}
virtual void shoot() = 0;
protected:
ShootStrategy(){}
};
class Striker:public ShootStrategy
{
public:
Striker(){}
~Striker(){}
virtual void shoot();
};
class Midfield:public ShootStrategy
{
public:
Midfield(){}
~Midfield(){}
virtual void shoot();
};
class Back:public ShootStrategy
{
public:
Back(){}
~Back(){}
virtual void shoot();
};
#endif
strategy.cpp
#include "strategy.h"
#include <iostream>
void Striker::shoot()
{
std::cout << "Striker shoot!" << std::endl;
}
void Midfield::shoot()
{
std::cout << "Midfield shoot!" << std::endl;
}
void Back::shoot()
{
std::cout << "Back shoot!" << std::endl;
}
team.h
#ifndef _TEAM_H_
#define _TEAM_H_
#include "strategy.h"
class MyFootballTeam
{
public:
MyFootballTeam( ShootStrategy* poiner ){ _attacker = poiner; }
~MyFootballTeam(){}
void attack(){ _attacker->shoot(); }
private:
ShootStrategy* _attacker;
};
#endif
main.cpp
#include "Team.h"
#include "strategy.h"
int main( int argc,char** argv )
{
ShootStrategy* people1 = new Striker(); //创建一个前锋
ShootStrategy* people2 = new Midfield(); //创建一个中场
ShootStrategy* people3 = new Back(); //创建一个后卫
MyFootballTeam team1( people1 ); //球队1放入前锋
MyFootballTeam team2( people2 ); //球队2放入中场
MyFootballTeam team3( people3 ); //球队3放入后卫
team1.attack(); //球队1进攻的效果为前锋射门
team2.attack(); //球队2进攻的效果为中场射门
team3.attack(); //球队3进攻的效果为后卫射门
return 0;
}