当Meteor.bindEnvironment中的服务器出错时,无法捕获客户端中的Meteor.Error

时间:2015-11-20 15:32:12

标签: meteor stripe-payments node-fibers

在服务器代码中,我无法在客户端的Meteor.call错误回调中收到错误,Meteor.bindEnvironment内发生错误。下面是要复制的示例代码

在服务器

Meteor.methods({
  customMethod: function(arg1, arg2){
      Stripe.customers.create({
        email: "email@here.com,
        description: "blah blah",
        source: token,
        metadata: {
          planId: planId,
          quantity: n
        },
        plan: planId,
        quantity: n
      }, Meteor.bindEnvironment(function (err, customer) {
        if(err){
          console.log("error", err);
          // TODO cannot catch this error on the client
          throw new Meteor.Error(err.rawType, err.message)
        }
      }))
    }
})

在Meteor活动中的客户端中,

Meteor.call('customMethod', arg1, arg2, function (err, resp) {
 if(err){
   Session.set('some-error', err)
 }
 if(resp){
   // TODO cannot catch errors throwing from the server
   // when inside Meteor.bindEnvironment 
   Session.set('some-success', true)
 }
});

永远不会设置会话变量。任何帮助都会很棒。谢谢!

1 个答案:

答案 0 :(得分:0)

Meteor.bindEnvironment的第二个参数是一个错误处理程序,只要在您作为第一个参数提供的回调中抛出异常,就会调用该错误处理程序。所以你可以做这样的事情来把错误传递回客户端:

Meteor.bindEnvironment(function (err, customer) {
  if (err) throw err
  ...
}, function (err) {
  if (err) throw new Meteor.Error(err.message)
})

<强>更新

道歉,这有点仓促。问题在于您的错误(以及可能的结果)来自异步回调,因此您的方法函数将完成执行,并隐式返回undefined(它将作为null传递给客户端)当回调做任何事情时。

从历史上看,您可以使用a future解决此问题,但现在我们有了更好的承诺:

Meteor.methods({
  customMethod (arg1, arg2) {
    return new Promise((resolve, reject) => {
      Stripe.customers.create({
        email: "email@here.com,
        ...
      }, Meteor.bindEnvironment(function (err, customer) {
        if(err){
          reject(err)
        }
        resolve(customer)
      })).catch(e => { throw new Meteor.Error(e) })
  }
})

流星方法足够聪明,等待承诺解析或拒绝并通过DDP返回结果(或错误)。您仍然需要捕获错误并正式抛出它,但您的方法调用将等待您这样做。