Contextify: Как отловить асинхронные ошибки
Мне нужно запустить небезопасный JS-скрипт в узле и иметь возможность восстанавливаться после ошибок. Скрипт может использовать асинхронные функции, поэтому я использую contextify вместо узла, встроенного в модуль VM. Проблема в том, что ошибки в асинхронном коде в скрипте приводят к сбою процесса узла.
Вот мой тест:
var contextify = require('contextify');
var context = {
console:{
log:function(msg){
console.log('Contextify : '+msg);
}
},
setTimeout:setTimeout
};
console.log("begin test");
contextify(context);
try{ // try to run unsafe script
//context.run("console.log('Sync user script error');nonExistingFunction();"); // works
context.run("setTimeout(function(){ console.log('Async user script error');nonExistingFunction(); },2000);"); // crash node process
}catch(err){
console.log("Recover sync user script error");
}
console.log("end test");
Как я могу поймать асинхронные ошибки?
1 ответ
Я решил проблему с помощью child_process, чтобы создать поток для скрипта, который будет выполняться в:
//main.js
var child_process = require('child_process');
var script = child_process.fork("scriptrunner.js");
script.on('error',function(err){
console.log("Thread module error " + JSON.stringify(err));
});
script.on('exit',function(code,signal){
if(code==null)
console.log("Script crashed");
else console.log("Script exited normally");
});
script.send("setTimeout(function(){ console.log('Async user script error');nonExistingFunction(); },2000);");
//scriptrunner.js
var contextify = require('contextify');
var context = {
console:{
log:function(msg){
console.log('Contextify : '+msg);
}
},
setTimeout:setTimeout
};
contextify(context);
process.on('message', function(js) {
try{
context.run(js);
}catch(err){
console.log("Catch sync user script error " + err);
}
});
Так что теперь, если скрипт аварийно завершает работу, происходит сбой его собственного процесса, а не процесса основного узла. Недостатком является то, что я не могу передать сложный объект (например, мой контекст) между моим основным процессом и потоком скрипта, мне нужно найти обходной путь для этого.