0

我仍在学习节点编程....我正在使用 express 构建一个 Web 应用程序,并希望围绕基于事件的非阻塞 I/O 来考虑将来自其他函数的回调嵌套在其他回调中。

关于在任何地方使用回调,这是我试图理解的一个问题:

在大多数情况下,我不能只这样做(crypo 将允许此方法同步工作,因此此示例可以):

user.reset_password_token = require('crypto').randomBytes(32).toString('hex');

在我看到上面的例子有效之前,我不得不这样做:

User.findOne({ email: req.body.username }, function(err, user) {

  crypto.randomBytes(256, function(ex, buf) {
    if (ex) throw ex;
    user.reset_password_token = buf.toString('hex');
  });

  user.save(); // can I do this here?

  //will user.reset_password_token be set here??
  // Or do I need to put all this code into the randomBytes callback...
  //Can I continue programming the .findOne() callback here
    // with the expectation that
  //user.reset_password_token is set?
  //Or am I out of bounds...for the crypto callback to have been called reliably.
});

如果我在 randomBytes 代码(不在它的回调内)之后调用 user.save() 将始终设置令牌吗?

4

1 回答 1

1
//will user.reset_password_token be set here?

不。在您的示例中,调用crypto是异步完成的,这意味着执行不会停止以让该调用完成,而是会继续在您的findOne方法中执行代码。

User.findOne({ email: req.body.username }, function(err, user) {

  crypto.randomBytes(256, function(ex, buf) {
    if (ex) throw ex;
    user.reset_password_token = buf.toString('hex');

    // only within this scope will user.reset_password_token be
    // set as expected
    user.save();
  });

  // undefined since this code is called before the crypto call completes
  // (at least when you call crypto async like you have)
  console.log(user.reset_password_token);
});
于 2012-09-26T00:17:39.310 回答