Meteor メソッド内で非同期関数を呼び出し、その関数の結果を Meteor.call に返したいと考えています。
(そんなことがあるものか?
Meteor.methods({
my_function: function(arg1, arg2) {
//Call other asynchronous function and return result or throw error
}
});
Meteor メソッド内で非同期関数を呼び出し、その関数の結果を Meteor.call に返したいと考えています。
(そんなことがあるものか?
Meteor.methods({
my_function: function(arg1, arg2) {
//Call other asynchronous function and return result or throw error
}
});
そのために Future を使用します。このような:
Meteor.methods({
my_function: function(arg1, arg2) {
// Set up a future
var fut = new Future();
// This should work for any async method
setTimeout(function() {
// Return the results
fut.ret(message + " (delayed for 3 seconds)");
}, 3 * 1000);
// Wait for async to finish before returning
// the result
return fut.wait();
}
});
更新:
Meteor 0.5.1 から Future を使用するには、Meteor.startup メソッドで次のコードを実行する必要があります。
Meteor.startup(function () {
var require = __meteor_bootstrap__.require
Future = require('fibers/future');
// use Future here
});
更新 2 :
Meteor 0.6 から Future を使用するには、Meteor.startup メソッドで次のコードを実行する必要があります。
Meteor.startup(function () {
Future = Npm.require('fibers/future');
// use Future here
});
次に、return
メソッドの代わりにメソッドを使用しますret
。
Meteor.methods({
my_function: function(arg1, arg2) {
// Set up a future
var fut = new Future();
// This should work for any async method
setTimeout(function() {
// Return the results
fut['return'](message + " (delayed for 3 seconds)");
}, 3 * 1000);
// Wait for async to finish before returning
// the result
return fut.wait();
}
});
この要点を参照してください。
Meteor の最近のバージョンではMeteor._wrapAsync
、標準の(err, res)
コールバックを持つ関数を同期関数に変換するドキュメント化されていない関数が提供されています。これは、コールバックが戻るまで現在のファイバーを解放し、Meteor.bindEnvironment を使用して現在の Meteor 環境変数を確実に保持することを意味します (などMeteor.userId())
。
簡単な使い方は次のようになります。
asyncFunc = function(arg1, arg2, callback) {
// callback has the form function (err, res) {}
};
Meteor.methods({
"callFunc": function() {
syncFunc = Meteor._wrapAsync(asyncFunc);
res = syncFunc("foo", "bar"); // Errors will be thrown
}
});
ラップする前に、 が正しいコンテキストで呼び出されるfunction#bind
ことを確認するために を使用する必要がある場合もあります。asyncFunc
詳細については、https ://www.eventedmind.com/tracks/feed-archive/meteor-meteor-wrapasync を参照してください。
アンドリュー・マオは正しい。Meteor には、この種の状況のためにMeteor.wrapAsync()が用意されました。
これは、ストライプ経由で充電を行い、コールバック関数を渡す最も簡単な方法です。
var stripe = StripeAPI("key");
Meteor.methods({
yourMethod: function(callArg) {
var charge = Meteor.wrapAsync(stripe.charges.create, stripe.charges);
charge({
amount: amount,
currency: "usd",
//I passed the stripe token in callArg
card: callArg.stripeToken,
}, function(err, charge) {
if (err && err.type === 'StripeCardError') {
// The card has been declined
throw new Meteor.Error("stripe-charge-error", err.message);
}
//Insert your 'on success' code here
});
}
});
この投稿は本当に役に立ちました: Meteor: サーバーでの Meteor.wrapAsync の適切な使用