我正在尝试使用需要本机模块支持的Node.Js构建应用程序。我已经在整个应用程序中使用了libuv库,并且能够使大多数异步方法正常工作,除了必须实现progress事件回调的那一部分。我想异步实现进度事件回调,而又不阻塞Node.js事件循环。
以下是代码段:
native.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回调函数中的进度值?
答案 0 :(得分:2)
根据uv_queue_work
文档:http://docs.libuv.org/en/v1.x/threadpool.html#c.uv_queue_work工作回调(在您的情况下为FileTransferRunner
)在线程池上运行,但完成回调(在您的情况下为FileTransferDone
)在线程池上运行在循环线程上。因此,如果对后者执行阻塞操作,则将阻塞循环。
如果您要发送定期进度报告,则此模型不适用于您。您可以使用异步句柄uv_async_t
,并通过工作函数使用uv_async_send
(是线程安全的)报告进度。或使用多个工作请求发送数据块(可能会比较慢)。