首页 > 语言 > JavaScript > 正文

详解JS中统计函数执行次数与执行时间

2024-05-06 15:30:43
字体:
来源:转载
供稿:网友

一、统计函数执行次数

常规的方法可以使用 console.log 输出来肉眼计算有多少个输出

不过在Chrome中内置了一个 console.count 方法,可以统计一个字符串输出的次数。我们可以利用这个来间接地统计函数的执行次数

function someFunction() {  console.count('some 已经执行');}function otherFunction() {  console.count('other 已经执行');}someFunction(); // some 已经执行: 1someFunction(); // some 已经执行: 2otherFunction(); // other 已经执行: 1console.count(); // default: 1console.count(); // default: 2

不带参数则为 default 值,否则将会输出该字符串的执行次数,观测起来还是挺方便的

当然,除了输出次数之外,还想获取一个纯粹的次数值,可以用装饰器将函数包装一下,内部使用对象存储调用次数即可

var getFunCallTimes = (function() {    // 装饰器,在当前函数执行前先执行另一个函数  function decoratorBefore(fn, beforeFn) {    return function() {      var ret = beforeFn.apply(this, arguments);      // 在前一个函数中判断,不需要执行当前函数      if (ret !== false) {        fn.apply(this, arguments);      }    };  }    // 执行次数  var funTimes = {};    // 给fun添加装饰器,fun执行前将进行计数累加  return function(fun, funName) {    // 存储的key值    funName = funName || fun;        // 不重复绑定,有则返回    if (funTimes[funName]) {      return funTimes[funName];    }        // 绑定    funTimes[funName] = decoratorBefore(fun, function() {      // 计数累加      funTimes[funName].callTimes++;      console.log('count', funTimes[funName].callTimes);    });        // 定义函数的值为计数值(初始化)    funTimes[funName].callTimes = 0;    return funTimes[funName];  }})();
function someFunction() {  }function otherFunction() {  }someFunction = getFunCallTimes(someFunction, 'someFunction');someFunction(); // count 1someFunction(); // count 2someFunction(); // count 3someFunction(); // count 4console.log(someFunction.callTimes); // 4otherFunction = getFunCallTimes(otherFunction);otherFunction(); // count 1console.log(otherFunction.callTimes); // 1otherFunction(); // count 2console.log(otherFunction.callTimes); // 2

二、统计函数执行时间

Chrome中内置了 console.time 和 console.timeEnd 来打点计算时间

console.time();for (var i = 0; i < 100000; ++i) {}console.timeEnd(); // default: 1.77197265625ms

不传入参数的话,将以default输出毫秒值

我们可以封装一下,传入函数名称,类似上面的做法,使用装饰器在函数执行前后进行处理

var getFunExecTime = (function() {    // 装饰器,在当前函数执行前先执行另一个函数  function decoratorBefore(fn, beforeFn) {    return function() {      var ret = beforeFn.apply(this, arguments);      // 在前一个函数中判断,不需要执行当前函数      if (ret !== false) {        fn.apply(this, arguments);      }    };  }  // 装饰器,在当前函数执行后执行另一个函数  function decoratorAfter(fn, afterFn) {    return function() {      fn.apply(this, arguments);      afterFn.apply(this, arguments);    };  }    // 执行次数  var funTimes = {};    // 给fun添加装饰器,fun执行前后计时  return function(fun, funName) {    return decoratorAfter(decoratorBefore(fun, function() {      // 执行前      console.time(funName);    }), function() {      // 执行后      console.timeEnd(funName);    });  }})();            
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表

图片精选