我有一些像打击的代码, 如果抛出1,显示将是
catch in main
throw 1
如果抛出2,显示将是
catch in test
throw 2
但如果我想要这样显示,
catch in test
throw 2
catch in main
throw 2
我该怎么办?
function test(database)
{
if(1) throw 'throw 1'; //if throw at here, 'catch in main' will display
var col=database.collection('profiles');
col.findOne({"oo" : 'xx'})
.then(function(doc){
throw 'throw 2'; //if throw at here, 'catch in main' will [NOT] display
})
.catch(function(e){
console.log('catch in test');
console.log(e);
throw e;
});
}
MongoClient.connect(url, function(err, database) {
try{
test(database);
}catch(e){
console.log('catch in main'); //if throw 2, this line will [NOT] run
console.log(e);
}
});
答案 0 :(得分:0)
当你使用promises时(在这种情况下你就是这样),很少使用在try-catch
中包装客户端代码。你应该做的是1)从test
函数返回一个承诺; 2)使用catch
方法订阅返回的承诺'拒绝。一种可能的方法:
// in test()
return col.findOne({"oo" : 'xx'})
.then(function(doc){
throw 'throw 2'; //if throw at here, 'catch in main' will [NOT] display
})
.catch(function(e){
console.log('catch in test');
console.log(e);
throw e; //
});
// in main:
function handleError(e) {
console.log('catch in main');
console.log(e);
}
// ...
try {
test(database).catch(handleError);
} catch(e) {
handleError(e);
}
顺便说一句,在我看来,你的第一个例子(投入你自己的代码)是人为的(只是为了确保try-catch
在一般工作中引入),而在你的实际情况下,它只是数据库函数可能会以错误结束。如果我是正确的,你可能想完全摆脱try-catch
块:promise .catch
处理程序就足够了。