如何使用回调衡量JavaScript代码的执行时间?


319

我有一段使用node.js解释器执行的JavaScript代码。

for(var i = 1; i < LIMIT; i++) {
  var user = {
    id: i,
    name: "MongoUser [" + i + "]"
  };
  db.users.save(user, function(err, saved) {
    if(err || !saved) {
      console.log("Error");
    } else {
      console.log("Saved");
    }
  });
}

如何测量这些数据库插入操作所花费的时间?我可以计算这段代码前后的日期值之差,但是由于代码的异步特性,这将是不正确的。


8
刚刚看了DB调用之前的开始时间和结束时间内的回调..
BFil

DB完成插入的时间和执行回调的时间可能不相同,这会在测量中引入错误吗?
Stormshadow,2012年

1
不,您不必担心,如果数据库库代码设计合理,并且在触发回调之前未处理任何其他操作,则应该采取适当的措施。您也可以通过将时间戳放入实际执行插入操作的库代码中来配置插入操作,而不是自己执行操作,但是,我也不必担心
BFil 2012年

我建议尝试使用NodeTime,它似乎非常适合您尝试做的事情。
朱利安·奈特

我写了timerlog类似的东西,console.time()但有附加的功能。github.com/brillout/timerlog
brillout

Answers:


718

使用Node.js console.time()console.timeEnd()

var i;
console.time("dbsave");

for(i = 1; i < LIMIT; i++){
    db.users.save({id : i, name : "MongoUser [" + i + "]"}, end);
}

end = function(err, saved) {
    console.log(( err || !saved )?"Error":"Saved");
    if(--i === 1){console.timeEnd("dbsave");}
};

31
干净的内置节点解决方案。
BehlülUCAR

45
>我想知道如何测量这些数据库插入操作所花费的时间。--- console.timeEnd(“ dbsave”)仅输出以控制时间。您不能再使用它,并且灵活性较差。如果您需要实际的时序值,例如原始问题,则不能使用console.timeEnd(“ dbsave”)
gogaman 2014年

@gogaman这是一个好方法,因为您无法捕获console.timeEnd()的输出。将输出通过管道传输到文件并从那里使用可能会有用吗?
Doug Molineux 2014年

5
那么以下答案中的console.time()和process.hrtime()有什么区别?
黄圣人

3
值得一提的是,然后打印出执行时间,以便现在有新用户。
janko-m 2015年

208

有一种为此目的而设计的方法。签出process.hrtime();

因此,我基本上将其放在应用程序的顶部。

var start = process.hrtime();

var elapsed_time = function(note){
    var precision = 3; // 3 decimal places
    var elapsed = process.hrtime(start)[1] / 1000000; // divide by a million to get nano to milli
    console.log(process.hrtime(start)[0] + " s, " + elapsed.toFixed(precision) + " ms - " + note); // print message + time
    start = process.hrtime(); // reset the timer
}

然后,我用它来查看函数需要多长时间。这是一个基本示例,该示例显示名为“ output.txt”的文本文件的内容:

var debug = true;
http.createServer(function(request, response) {

    if(debug) console.log("----------------------------------");
    if(debug) elapsed_time("recieved request");

    var send_html = function(err, contents) {
        if(debug) elapsed_time("start send_html()");
        response.writeHead(200, {'Content-Type': 'text/html' } );
        response.end(contents);
        if(debug) elapsed_time("end send_html()");
    }

    if(debug) elapsed_time("start readFile()");
    fs.readFile('output.txt', send_html);
    if(debug) elapsed_time("end readFile()");

}).listen(8080);

这是可以在终端(BASH shell)中运行的快速测试:

for i in {1..100}; do echo $i; curl http://localhost:8080/; done

3
它在任何方面都优于console.time解决方案吗?
scravy

31
是的,它要精确得多,您可以将结果存储在变量中
Dallas Clark

这对我
有用

2
你为什么打process.hrtime(start)两次电话?是否有特定原因?
Sohail Si

1
process.hrtime([time]),其中时间是可选参数,必须是前一个对diff与当前时间的process.hrtime()调用的结果。它给出了当前通话和之前的通话时间之间的差异。
Nilesh Jain

72

调用console.time('label')将记录当前时间(以毫秒为单位),然后以后的调用console.timeEnd('label')将显示从该点开始的持续时间。

以毫秒为单位的时间将自动打印在标签旁边,因此您无需单独调用console.log即可打印标签:

console.time('test');
//some code
console.timeEnd('test'); //Prints something like that-> test: 11374.004ms

有关更多信息,请参见Mozilla的开发人员文档console.time



1
在我的答案使用我的代码后,对已接受的答案进行了修改
jfcorugedo

24

令人惊讶的是没有人提到新的内置库:

在节点> = 8.5中可用,并且应该在现代浏览器中可用

https://developer.mozilla.org/zh-CN/docs/Web/API/Performance

https://nodejs.org/docs/latest-v8.x/api/perf_hooks.html#

节点8.5〜9.x(Firefox,Chrome)

// const { performance } = require('perf_hooks'); // enable for node
const delay = time => new Promise(res=>setTimeout(res,time))
async function doSomeLongRunningProcess(){
  await delay(1000);
}
performance.mark('A');
(async ()=>{
  await doSomeLongRunningProcess();
  performance.mark('B');
  performance.measure('A to B', 'A', 'B');
  const measure = performance.getEntriesByName('A to B')[0];
  // firefox appears to only show second precision.
  console.log(measure.duration);
  performance.clearMeasures(); // apparently you should remove entries...
  // Prints the number of milliseconds between Mark 'A' and Mark 'B'
})();

https://repl.it/@CodyGeisler/NodeJsPerformanceHooks

节点10.x

https://nodejs.org/docs/latest-v10.x/api/perf_hooks.html

const { PerformanceObserver, performance } = require('perf_hooks');
const delay = time => new Promise(res => setTimeout(res, time))
async function doSomeLongRunningProcess() {
    await delay(1000);
}
const obs = new PerformanceObserver((items) => {
    console.log('PerformanceObserver A to B',items.getEntries()[0].duration);
    performance.clearMarks();
});
obs.observe({ entryTypes: ['measure'] });

performance.mark('A');

(async function main(){
    try{
        await performance.timerify(doSomeLongRunningProcess)();
        performance.mark('B');
        performance.measure('A to B', 'A', 'B');
    }catch(e){
        console.log('main() error',e);
    }
})();

TypeError: performance.getEntriesByName is not a function在Node v10.4.1中给我提供
Jeremy Thille '18

我做了这个示例,以便您可以在线运行它。它是节点9.7.1。如果它在v10.4.1中不起作用,那么我想知道可能会发生什么变化!
科迪G

1
Stability: 1 - Experimental也许?:) nodejs.org/docs/latest-v8.x/api/...
杰里米Thille

是的,肯定已经改变了。v10中有一个新的观察者,您可以在nodejs.org/docs/latest-v10.x/api/documentation.html上查看文档。如果有机会,我会更新的!
科迪·G

19

对于任何想要获取经过时间值而不是控制台输出的人:

使用process.hrtime()作为@ D.Deriso建议,以下是我更简单的方法:

function functionToBeMeasured() {
    var startTime = process.hrtime();
    // do some task...
    // ......
    var elapsedSeconds = parseHrtimeToSeconds(process.hrtime(startTime));
    console.log('It takes ' + elapsedSeconds + 'seconds');
}

function parseHrtimeToSeconds(hrtime) {
    var seconds = (hrtime[0] + (hrtime[1] / 1e9)).toFixed(3);
    return seconds;
}

16
var start = +new Date();
var counter = 0;
for(var i = 1; i < LIMIT; i++){
    ++counter;
    db.users.save({id : i, name : "MongoUser [" + i + "]"}, function(err, saved) {
          if( err || !saved ) console.log("Error");
          else console.log("Saved");
          if (--counter === 0) 
          {
              var end = +new Date();
              console.log("all users saved in " + (end-start) + " milliseconds");
          }
    });
}

5
我必须查找语法'+ new Date()'来找出含义。根据对此答案的评论(stackoverflow.com/a/221565/5114),出于性能原因和可读性考虑,使用该表格不是一个好主意。我喜欢更详细的内容,以便读者阅读。另请参阅此答案:stackoverflow.com/a/5036460/5114
Mnebuerquo 2015年

3
我经常使用var start = process.hrtime(); ... var end = process.hrtime(start);高分辨率时间(如果我需要低于毫秒的精度)
Andrey Sidorov 2015年

9

旧问题,但需要一个简单的API和轻量级解决方案;您可以使用 内部使用高分辨率实时(process.hrtime)的perfy

var perfy = require('perfy');

function end(label) {
    return function (err, saved) {
        console.log(err ? 'Error' : 'Saved'); 
        console.log( perfy.end(label).time ); // <——— result: seconds.milliseconds
    };
}

for (var i = 1; i < LIMIT; i++) {
    var label = 'db-save-' + i;
    perfy.start(label); // <——— start and mark time
    db.users.save({ id: i, name: 'MongoUser [' + i + ']' }, end(label));
}

请注意,每次perfy.end(label)调用时,该实例都会自动销毁。

披露:受D.Deriso的回答启发,编写了此模块。文档在这里


2

您可以尝试Benchmark.js。它支持许多平台,其中也包括node.js。


11
如果您可以在此用例中添加如何使用Benchmark.js的示例,那将很好。
Petah

2

您也可以尝试exectimer。它为您提供如下反馈:

var t = require("exectimer");

var myFunction() {
   var tick = new t.tick("myFunction");
   tick.start();
   // do some processing and end this tick
   tick.stop();
}

// Display the results
console.log(t.timers.myFunction.duration()); // total duration of all ticks
console.log(t.timers.myFunction.min()); // minimal tick duration
console.log(t.timers.myFunction.max()); // maximal tick duration
console.log(t.timers.myFunction.mean()); // mean tick duration
console.log(t.timers.myFunction.median()); // median tick duration

[编辑]现在有一种使用exectimer的更简单的方法,因为它现在可以包装要测量的代码。您的代码可以像这样包装:

var t = require('exectimer'),
Tick = t.Tick;

for(var i = 1; i < LIMIT; i++){
    Tick.wrap(function saveUsers(done) {
        db.users.save({id : i, name : "MongoUser [" + i + "]"}, function(err, saved) {
            if( err || !saved ) console.log("Error");
            else console.log("Saved");
            done();
        });
    });
}

// Display the results
console.log(t.timers.myFunction.duration()); // total duration of all ticks
console.log(t.timers.saveUsers.min()); // minimal tick duration
console.log(t.timers.saveUsers.max()); // maximal tick duration
console.log(t.timers.saveUsers.mean()); // mean tick duration
console.log(t.timers.saveUsers.median()); // median tick duration


0

另一种选择是使用express-debug工具:

express-debug是用于express的开发工具。这是一种简单的中间件,可以以无障碍的方式将有用的调试输出注入到html中。

它方便地提供了一个配置面板:

总要求处理时间。中间件,参数和路由时序。

也。要添加到以上答案中,您可以选中此答案以仅对开发环境启用任何概要分析代码。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.