我是Node.js的新手,我遇到了一个错误:
RangeError:超出最大调用堆栈大小
我无法解决问题,因为关于Node.js的其他stackoverflow问题中的大多数堆栈问题都涉及数百个回调,但我这里只有3个。
首先获取(findById
)然后更新以后再保存操作!
我的代码是:
app.post('/poker/tables/:id/join', function(req, res) {
var id = req.params.id;
models.Table.findById(id, function(err, table) {
if (err) {
console.log(err);
res.send({
message: 'error'
});
return;
}
if (table.players.length >= table.maxPlayers) {
res.send({
message: "error: Can't join ! the Table is full"
});
return;
}
console.log('Table isnt Full');
var BuyIn = table.minBuyIn;
if (req.user.money < table.maxPlayers) {
res.send({
message: "error: Can't join ! Tou have not enough money"
});
return;
}
console.log('User has enought money');
models.User.update({
_id: req.user._id
}, {
$inc: {
money: -BuyIn
}
}, function(err, numAffected) {
if (err) {
console.log(err);
res.send({
message: 'error: Cant update your account'
});
return;
}
console.log('User money updated');
table.players.push({
userId: req.user._id,
username: req.user.username,
chips: BuyIn,
cards: {}
});
table.save(function(err) {
if (err) {
console.log(err);
res.send({
message: 'error'
});
return;
}
console.log('Table Successfully saved with new player!');
res.send({
message: 'success',
table: table
});
});
});
});
});
最后在保存操作期间发生错误!
我将MongoDb与mongoose一起使用,因此Table
和User
是我的数据库集合。
这是我第一个使用Node.js,Express.js和MongoDB的项目,所以我可能在异步代码中犯了很多错误:(
编辑:我尝试用更新替换保存:
models.Table.update({
_id: table._id
}, {
'$push': {
players: {
userId: req.user._id,
username: req.user.username,
chips: BuyIn,
cards: {}
}
}
}, function(err, numAffected) {
if (err) {
console.log(err);
res.send({
message: 'error'
});
return;
}
console.log('Table Successfully saved with new player!');
res.send({
message: 'success',
table: table
});
});
但它仍然没有帮助错误,我不知道如何调试它:/
答案 0 :(得分:20)
我也一直在为这个问题做准备。
基本上,如果您拥有一个ref
的媒体资源,并且想要在查找中使用它,例如,无法传递整个文档。
例如:
Model.find().where( "property", OtherModelInstance );
这将触发该错误。
但是,您现在有两种解决方法:
Model.find().where( "property", OtherModelInstance._id );
// or
Model.find().where( "property", OtherModelInstance.toObject() );
这可能暂时阻止你的问题。
他们的GitHub回购中有一个问题,我报告过这个问题,但现在还没有修复。 See the issue here
答案 1 :(得分:5)
我一直收到这个错误,最后想出来了。调试非常困难,因为错误中没有显示真实的信息。
原来我试图将对象保存到字段中。只保存对象的特定属性,或者对其进行字符串化处理,就像魅力一样。
似乎如果驱动程序发出更具体的错误会很好,但是哦。
答案 2 :(得分:4)
有几种方法可以调试nodejs应用程序
此处记录了Node.js调试器:http://nodejs.org/api/debugger.html
要设置断点,只需将debugger;
放在要中断的位置即可。正如你所说table.save
回调给你带来麻烦,你可以在该函数中加入一个断点。
然后在启用调试器的情况下运行节点:
node debug myscript.js
您将获得更多有用的输出。
如果你很清楚遇到问题的时间/地点,并想知道你是如何到达那里的,那么你也可以使用console.trace
来打印堆栈跟踪。
答案 3 :(得分:4)
MyModel.collection.insert
原因:
[RangeError:超出最大调用堆栈大小]
当您传递MyModel
的实例数组而不是仅包含该对象值的数组时。
的RangeError:
let myArray = [];
myArray.push( new MyModel({ prop1: true, prop2: false }) );
MyModel.collection.insert(myArray, callback);
没有错误:
let myArray = [];
myArray.push( { prop1: true, prop2: false } );
MyModel.collection.insert(myArray, callback);