如何在 C++ NodeJS Addon 中使用 V8::AddMemoryAllocationCallback 方法

How to use V8::AddMemoryAllocationCallback method in C++ NodeJS Addon

我正在尝试对 NodeJS C++ 插件使用 V8::AddMemoryAllocationCallback 方法。我想调用该方法和 return 那个大小值。我想出了以下代码。似乎它没有调用回调方法。 代码取自 goingnative npm 模块。

但是 memCallback 方法没有被触发。为什么?如何解决?

它将使用以下 C++ 代码访问 V8 库。

//myaddon.cc
#include <nan.h>
# include <unistd.h>
#include <iostream>
#include <fstream>

using namespace std;
using namespace v8;

static int x = 0;
static int y = 0;

void memCallback(ObjectSpace space, AllocationAction action, int size)   {
    ofstream myfile;
    myfile.open ("/tmp/example.txt");
    myfile << "Writing this to a file.\n";
    myfile.close();

    x = size;
}

NAN_METHOD(Delay) {
  NanScope();

  int delay = args[0].As<Number>()->IntegerValue();
  Local<Function> callback = args[1].As<Function>();

  V8::AddMemoryAllocationCallback(&memCallback, kObjectSpaceNewSpace, kAllocationActionAllocate);

  for(int i = 0; i < 10; i++) {
    y = i;
    Local<Value> argv[] = {NanNew(x), NanNew(y)};
    NanMakeCallback(NanGetCurrentContext()->Global(), callback, 2, argv);
    usleep(delay * 1000);
  }

  NanReturnUndefined();
}

void Init(Handle<Object> exports) {
  exports->Set(NanNew("delay"), NanNew<FunctionTemplate>(Delay)->GetFunction());
}

NODE_MODULE(myaddon, Init)

node-gyp 用于构建和 运行 代码(从当前文件夹尝试 node-gyp rebuild && node index.js 1000 && ls /tmp/

//binding.gyp
{
  "targets": [
    {
      "target_name": "myaddon",
      "sources": [ "myaddon.cc" ],
      "include_dirs": [ "<!(node -e \"require('nan')\")" ]
    }
  ]
}

以下是 JavaScript 代码。为了分配一些内存,我创建了几个变量。

//index.js
var addon = require('bindings')('myaddon')

addon.delay(process.argv[2], function(x, y) {
    console.log("X: ", x, " Y:", y);

    var arr = [], obj = {};
    for (var i = 0; i < 100; i++) {
        arr.push("Text " + i);
    }
    for (var i = 0; i < 100; i++) {
        obj[i] = arr[i];
        delete arr[i];
    }
    console.log('Done!');
})

console.log("The End");

当前输出为;

X:  0  Y: 0
Done!
X:  0  Y: 1
Done!
X:  0  Y: 2
Done!
X:  0  Y: 3
Done!
X:  0  Y: 4
Done!
X:  0  Y: 5
Done!
X:  0  Y: 6
Done!
X:  0  Y: 7
Done!
X:  0  Y: 8
Done!
X:  0  Y: 9
Done!
The End

使用限制较少的通知设置可能会有所帮助(kObjectSpaceAll 而不是 kObjectSpaceNewSpace and/or kAllocationActionAll 而不是 kAllocationActionAllocate)。

为了将 size 传递给您的回调,这里有几种方法可以实现:

  • 首先,您可能会考虑使用 EventEmitter 而不是回调,因为 memCallback 将被调用多次,除非您真的只想为下一个 [=15= 触发回调] 调用。使用 EventEmitter 解决方案,您只需在 C++ 领域注册一次 JS 回调,它将全局存储并在 memCallback 中调用。然后在 JS 领域,您只需在执行 JS 回调时发出一个事件。

    您甚至可以调整它,以便 JS 回调(甚至可能是 C++ 回调)仅在您的事件有侦听器时才在 C++ 领域保持注册状态(EventEmitter 提供事件以在添加和删除侦听器时通知您一个事件)。这可能有助于提高性能。

  • 如果你真的想使用多次执行的回调(这确实违背了节点社区的普遍期望),那么你将不得不将 JS 回调存储在一个全局 C++ 数组中某种结构 提供了一些方法来“取消注册”JS 回调,这样它们就不会再被调用(将从 C++ 数组中删除 JS 回调)。