基准异步代码(Benchmark.js,Node.js)

时间:2015-07-25 07:24:23

标签: javascript node.js asynchronous benchmark.js

我想使用Benchmark.js模块来测试一些用node.js编写的异步代码。具体来说,我想向两台服务器发送~1,000个请求(一个用节点编写,一个用PHP编写),并跟踪每个服务器完成所有请求所需的时间。

我打算编写一个简单的节点脚本来使用Benchmark来激发这些请求,但我对如何将它与异步代码一起使用感到困惑。通常在节点模块中,当您的异步代码完成时会调用某种回调,或者从函数中返回Promise等。但是使用Benchmark,我在文档中阅读的所有内容都是如此。 ,它似乎根本不会处理异步。

有谁知道我应该做什么或看什么?如果需要,我可以手动编写基准;它似乎是一个常见的用例,Benchmark或其他人可能已经在他们的专业级测试库中实现了它。

感谢任何方向, ~Nate

2 个答案:

答案 0 :(得分:7)

它的记录不是很好,但这是一个PoC:

var Benchmark = require('benchmark');
var suite     = new Benchmark.Suite();

suite.add(new Benchmark('foo', {
  // a flag to indicate the benchmark is deferred
  defer : true,

  // benchmark test function
  fn : function(deferred) {
    setTimeout(function() {
      deferred.resolve();
    }, 200);
  }
})).on('complete', function() {
  console.log(this[0].stats);
}).run();

Benchmark.js v2略微改变了语法:

var Benchmark = require('benchmark');
var suite = new Benchmark.Suite;

suite.add('foo', {
  defer: true,
  fn: function (deferred) {
    setTimeout(function() {
      deferred.resolve();
    }, 200);
  }
}).on('complete', function () {
  console.log(this[0].stats)
}).run()

答案 1 :(得分:1)

在尝试测试异步功能时遇到了同样的问题。这是我最终在Code Sand Box上使用的示例。这是基准文档的link,其中提供了使用defer属性的示例。

这是我在Node.js中使用的代码,用于出现并希望与deffered一起使用的async/await的所有人。我希望有人觉得这有用!

const Benchmark = require('benchmark');
const suite = new Benchmark.Suite();
const promiseCount = 10;
const setupArray = Array.from(Array(promiseCount)).map((_, i) => i);

const sleep = (ms = 500) =>
  new Promise(resolve => {
    setTimeout(() => {
      resolve();
    }, ms);
  });

const asyncFunction = async (name, index) => {
  await sleep(100);
  return `${name}_${index}`;
};

suite
  .add("Promise.all", {
    defer: true,
    fn: async function(deferred) {
      const promiseArray = setupArray.map(asyncFunction);
      await Promise.all(promiseArray);
      deferred.resolve();
    }
  })
  .add("For loop", {
    defer: true,
    fn: async function(deferred) {
      const final = [];

      for (let i = 0; i < promiseCount; i++) {
        const data = await asyncFunction(setupArray[i], i);
        final.push(data);
      }
      deferred.resolve();
    }
  })
  .on("cycle", function(event) {
    console.log(String(event.target));
  })
  .on("complete", function() {
    console.log("Fastest is " + this.filter("fastest").map("name"));
  })
  .run({ async: true });