模板方法是一种只需要使用继承就可以实现的非常简单的模式
模板方法由两部分组成,一是抽象的父类,二是具体实现的子类。通常在抽象父类中封装了子类的算法框架,包括实现一些公共方法以及封装子类中所有方法的执行顺序。
参考《javascript模式设计与开发实践》第11章
这个模式方法很有意思,在使用之前需要有一个抽象的额过程,是对类似的生产过程的具体细节的理解,找出流程中的共同点作为抽象的父类。
咖啡和茶的冲泡过程
泡咖啡 | 泡茶 |
---|---|
把水煮沸 | 把水煮沸 |
用沸水泡咖啡 | 用沸水浸泡茶叶 |
把咖啡 倒进杯子 | 把茶水 倒进杯子 |
加糖和牛奶 | 加柠檬 |
把泡咖啡和泡茶的不同点标示出来,剩下的部分就是共同的部分
- [ ] 原料不同,一个是咖啡,一个是茶。抽象为饮料
- [ ] 泡的方式不同,一个是泡,一个是浸泡。统一抽象为泡
- [ ] 加入的调味品不同,一个是糖和牛奶,一个是柠檬。抽象为调料
整个冲泡饮料的过程就抽象为下面的流程
- 把水煮沸
- 用沸水冲泡饮料
- 把饮料倒进被子
- 加调料
抽象的父类的代码
var Beverage = function(){};
Beverage.prototype.boilWater = function(){
console.log( '把水煮沸' );
};
Beverage.prototype.brew = function(){}; // 空方法,应该由子类重写
Beverage.prototype.pourInCup = function(){}; // 空方法,应该由子类重写
Beverage.prototype.addCondiments = function(){}; // 空方法,应该由子类重写
Beverage.prototype.init = function(){//定义子类的函数执行顺序
this.boilWater();
this.brew();
this.pourInCup();
this.addCondiments();
};
有了父类的模板,在煮茶是就依照父类的模板来使用,通用部分不动,特殊的地方重写父类的方法
茶叶子类继承父类的模板
var Tea = function(){}; //定义煮茶子类
Tea.prototype = new Beverage(); //继承父类
Tea.prototype.brew = function(){ //重写父类方法
console.log( '用沸水浸泡茶叶' );
};
Tea.prototype.pourInCup = function(){ 重写父类方法
console.log( '把茶倒进杯子' );
};
Tea.prototype.addCondiments = function(){ 重写父类方法
console.log( '加柠檬' );
};
var tea = new Tea(); //实例化子类
tea.init(); //依照父类的方法执行顺序来执行
//由于javascript的对象原型继承链的方式和java的继承是完全不同的,这里代码结构和java类似,但是里面的机制是不同的
```
钩子方法
- 把水煮沸
- 用沸水冲泡饮料
- 把饮料倒进被子
- 加调料
上面是一般的冲调饮料的流程,但是可能会有特殊情况,比如有的人可能不会加调料。遇到这种情况需要使用钩子方法
来在隔离有变化的步骤
var Beverage = function(){};
Beverage.prototype.boilWater = function(){
console.log( '把水煮沸' );
};
Beverage.prototype.brew = function(){
throw new Error( '子类必须重写brew 方法' );
};
Beverage.prototype.pourInCup = function(){
throw new Error( '子类必须重写pourInCup 方法' );
};
Beverage.prototype.addCondiments = function(){
throw new Error( '子类必须重写addCondiments 方法' );
};
Beverage.prototype.customerWantsCondiments = function(){
return true; // 默认需要调料
};
Beverage.prototype.init = function(){
this.boilWater();
this.brew();
this.pourInCup();
if ( this.customerWantsCondiments() ){ // 如果挂钩返回true,则需要调料
this.addCondiments(); //第四步就变为可选的方法了
}
};
实例化冲泡咖啡的实例
var CoffeeWithHook = function(){};
CoffeeWithHook.prototype = new Beverage();
CoffeeWithHook.prototype.brew = function(){
console.log( '用沸水冲泡咖啡' );
};
CoffeeWithHook.prototype.pourInCup = function(){
console.log( '把咖啡倒进杯子' );
};
CoffeeWithHook.prototype.addCondiments = function(){
console.log( '加糖和牛奶' );
};
CoffeeWithHook.prototype.customerWantsCondiments = function(){
return window.confirm( '请问需要调料吗?' );//对顾客选择的判断条件
};
var coffeeWithHook = new CoffeeWithHook();
模板方法通过封装变化提高系统扩展能力。