I have a REST API coded with Node.js and there is one route that applies NTFS Rights to folders. The request can take 1 second but can also last several minutes (it depends on the size of the folder).
To summarize, if the rights take less than 5 seconds to be applied, I want to return the status code 200.
If the rights have not finished being applied, I would like to return the status code 202.
For that I use Promise.race
:
return Promise.race([applyRights(), sleep(5)]
.then(result => {
statusCode = 200;
if (result === undefined) {
statusCode = 202;
}
});
My problem is that the function applyRights
performs quite complex operations. Including writes to the Windows File System and applying NTFS rights with a C++ library.
It's look like the C++ function to applies NTFS rights is blocking the event loop.
That means that my function sleep
is only executed after applyRights
is done.
Is there an easy way to run the C++ function in another thread or something like this to let the job continue in background without blocking the event loop ?
Or do I need to update the C++ library ? (what I would like to avoid doing)