博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
在JS中统计函数执行次数
阅读量:5881 次
发布时间:2019-06-19

本文共 2090 字,大约阅读时间需要 6 分钟。

一、统计函数执行次数

常规的方法可以使用 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复制代码

如何控制函数的调用次数

也可以通过闭包来控制函数的执行次数

function someFunction() { console.log(1);}function otherFunction() { console.log(2);}function setFunCallMaxTimes(fun, times, nextFun) { return function() { if (times-- > 0) { // 执行函数 return fun.apply(this, arguments); } else if (nextFun && typeof nextFun === 'function') { // 执行下一个函数 return nextFun.apply(this, arguments); } };}var fun = setFunCallMaxTimes(someFunction, 3, otherFunction);fun(); // 1fun(); // 1fun(); // 1fun(); // 2fun(); // 2复制代码

转载地址:http://egpix.baihongyu.com/

你可能感兴趣的文章
大叔手记(3):Windows Silverlight/Phone7/Mango开发学习系列教程
查看>>
考拉消息中心消息盒子处理重构(策略模式)
查看>>
so easy 前端实现多语言
查看>>
【追光者系列】HikariCP源码分析之ConcurrentBag&J.U.C SynchronousQueue、CopyOnWriteArrayList...
查看>>
在navicat中如何新建连接数据库
查看>>
canvas系列教程05-柱状图项目3
查看>>
css绘制几何图形
查看>>
HTML标签
查看>>
理解JS中的Event Loop机制
查看>>
转载:字符编码笔记:ASCII,Unicode和UTF 8
查看>>
修复看不懂的 Console Log
查看>>
Android跨进程通信 AIDL使用
查看>>
ajax常见面试题
查看>>
结合kmp算法的匹配动画浅析其基本思想
查看>>
vue进行wepack打包执行npm run build出现错误
查看>>
【d3.js v4基础】过渡transition
查看>>
VUEJS开发规范
查看>>
Android系统的创世之初以及Activity的生命周期
查看>>
彻底解决Linux下memcached的安装
查看>>
人人都会数据采集- Scrapy 爬虫框架入门
查看>>