JavaScript

超轻量级php框架startmvc

JavaScript装饰器函数(Decorator)实例详解

更新时间:2020-05-03 14:42:01 作者:startmvc
本文实例讲述了JavaScript装饰器函数(Decorator)。分享给大家供大家参考,具体如下:装饰器函

本文实例讲述了JavaScript装饰器函数(Decorator)。分享给大家供大家参考,具体如下:

装饰器函数(Decorator)用于给对象在运行期间动态的增加某个功能,职责等。相较通过继承的方式来扩充对象的功能,装饰器显得更加灵活,首先,我们可以动态给对象选定某个装饰器,而不用hardcore继承对象来实现某个功能点。其次:继承的方式可能会导致子类繁多,仅仅为了增加某一个单一的功能点,显得有些多余了。

下面给出几个常用的装饰器函数示例,相关代码请查看github。

1 动态添加onload监听函数


function addLoadEvent(fn) {
 var oldEvent = window.onload;
 if(typeof window.onload != 'function') {
 window.onload = fn;
 }else {
 window.onload = function() {
 oldEvent();
 fn();
 };
 }
}
function fn1() {
 console.log('onloadFunc 1');
}
function fn2() {
 console.log('onloadFunc 2');
}
function fn3() {
 console.log('onloadFunc 3');
}
addLoadEvent(fn1);
addLoadEvent(fn2);
addLoadEvent(fn3);

2 前置执行函数和后置执行函数


Function.prototype.before = function(beforfunc) {
 var self = this;
 var outerArgs = Array.prototype.slice.call(arguments, 1);
 return function() {
 var innerArgs = Array.prototype.slice.call(arguments);
 beforfunc.apply(this, innerArgs);
 self.apply(this, outerArgs);
 };
};
Function.prototype.after = function(afterfunc) {
 var self = this;
 var outerArgs = Array.prototype.slice.call(arguments, 1);
 return function() {
 var innerArgs = Array.prototype.slice.call(arguments);
 self.apply(this, outerArgs);
 afterfunc.apply(this, innerArgs);
 };
};
var func = function(name){
 console.log('I am ' + name);
};
var beforefunc = function(age){
 console.log('I am ' + age + ' years old');
};
var afterfunc = function(gender){
 console.log('I am a ' + gender);
};
var beforeFunc = func.before(beforefunc, 'Andy');
var afterFunc = func.after(afterfunc, 'Andy');
beforeFunc('12');
afterFunc('boy');

执行结果,控制台打印如下:


I am 12 years old
I am Andy
I am Andy
I am a boy

3 函数执行时间计算


function log(func){
 return function(...args){
 const start = Date.now();
 let result = func(...args);
 const used = Date.now() - start;
 console.log(`call ${func.name} (${args}) used ${used} ms.`);
 return result;
 };
}
function calculate(times){
 let sum = 0;
 let i = 1;
 while(i < times){
 sum += i;
 i++;
 }
 return sum;
}
runCalculate = log(calculate);
let result = runCalculate(100000);
console.log(result);

注:这里我使用了ES2015(ES6)语法,如果你感兴趣可以查看前面关于ES6的相关内容。

当然,装饰器函数不仅仅这些用法。天猫使用的Nodejs框架Koa就基于装饰器函数及ES2015的Generator。希望这篇文章能起到抛砖引玉的作用,使你编写更优雅的JS代码。

JavaScript 装饰器函数 Decorator