ネイティブ モジュール サポートを必要とする Node.Js を使用してアプリケーションを構築しようとしています。アプリケーションで libuv ライブラリを使用しましたが、progress イベントのコールバックを実装する必要がある部分を除いて、ほとんどの非同期メソッドを機能させることができました。Node.js イベント ループをブロックせずに、progress イベント コールバックを非同期的に実装したいと考えています。
コード スニペットは次のとおりです。
ネイティブ.cc
#include <node.h>
#include <uv.h>
#include "nbind/nbind.h"
using v8::Isolate;
using v8::HandleScope;
int FileProgressCallback(uint64_t const sent, uint64_t const total, void const *const data) {
nbind::cbFunction cb = *((nbind::cbFunction *) data);
cb(sent, total);
return 0;
}
class WorkerFileTransfer {
public:
WorkerFileTransfer(std::string path, nbind::cbFunction cb) :
callback(cb), path(path) {};
uv_work_t worker;
nbind::cbFunction callback;
bool error;
std::string errorMsg;
std::string path;
};
void FileTransferDone(uv_work_t *order, int status) {
Isolate *isolate = Isolate::GetCurrent();
HandleScope handleScope(isolate);
WorkerFileTransfer *work = static_cast< WorkerFileTransfer * >( order->data );
if (work->error) {
work->callback.call<void>(work->errorMsg.c_str(), work->output);
} else {
ThirdPartyLibraryFileCopy(work->path.c_str(), FileProgressCallback, (const void *) &work->callback);
}
// Memory cleanup
work->callback.reset();
delete work;
}
void FileTransferRunner(uv_work_t *order) {
WorkerFileTransfer *work = static_cast< WorkerFileTransfer * >( order->data );
try {
work->output = true;
}
catch (...) {
work->error = true;
work->errorMsg = "Error occured while executing the method...";
}
}
void FileTransfer(const std::string path, nbind::cbFunction &callback) {
WorkerFileTransfer *work = new WorkerFileTransfer(path, callback);
work->worker.data = work;
work->path = path;
work->error = false;
uv_queue_work(uv_default_loop(), &work->worker, FileTransferRunner, FileTransferDone);
}
function(FileTransfer);
test.js
FileTransfer(
'/path/file.txt',
(sent, total) => {
console.log(`sent`, sent);
console.log('total', total);
}
);
以下の行のおかげでファイル転送を実行できましたが、Node.Js イベント ループはここでブロックされます。
void FileTransferDone(uv_work_t *order, int status) {
...
ThirdPartyLibraryFileCopy(work->path.c_str(), FileProgressCallback, (const void *) &work->callback);
...
}
ThirdPartyLibraryFileCopy(work->path.c_str(), FileProgressCallback, (const void *) &work->callback);
行をメソッドに移動するFileTransferRunner(uv_work_t *order)
と、javascript コールバック関数で出力が得られません。
Node.Jsイベントループをブロックせずに、JavaScriptコールバック関数で進行状況の値を非同期に取得するにはどうすればよいですか?