我遇到一些.js对象的属性问题,当我要求时它没有更新。
我是javascript世界的新手,所以我希望我的问题不会变得棘手。
首先,这是我的Node类的一部分:
Node = function (label, vals, db, callback) {
// attributes
this.label = label;
this.vals = vals;
this.db = db;
if (typeof calback == 'function') calback();
}
Node.prototype.insert_db = function (calback) {
var vals = this.vals;
// Create a node
console.log("1:"); // output print
console.log(vals); // output print
this.db.save(vals, function (err, node) {
if (err) throw err;
vals = node;
console.log("2:"); // output print
console.log(vals); // output print
});
this.vals = vals;
console.log("3:"); // output print
console.log(this.vals); // output print
if (typeof calback == 'function') calback();
}
我想用这段代码做什么,就是更新" id"插入后我的Node对象的值。但是......运行此代码后,这是我的console.log:
var per = new Node('Whatever', { firstName: "aaaa", lastName: "aaaa", age: "aaaa" }, db2);
per.insert_db();
控制台输出:
1:
{ firstName: 'aaaa', lastName: 'aaaa', age: 'aaaa' }
3:
{ firstName: 'aaaa', lastName: 'aaaa', age: 'aaaa' }
2:
{ firstName: 'aaaa', lastName: 'aaaa', age: 'aaaa', id: 491 }
第3个状态(第二个位置)永远不会更新。 我不知道它来自哪里。我在这个问题上度过了最后两天,我显然无法再处理了。
提前致谢。
修改 还有麻烦。 感谢@MarkHughes,这是我的新代码
Node.prototype.insert_db = function (callback) {
var temp = this;
this.db.save(this.vals, function (err, node) {
if (err) throw err;
temp.vals = node;
console.log(temp.vals); // output print
if (typeof callback == 'function') callback();
});
}
代码由此运行
var per = new Node('Person', { firstName: "aaaa", lastName: "aaaa", age: "aaaa" }, db2);
per.insert_db(res.render('login-index', { title: 'miam', dump: mf.dump(per) }));
现在这里是console.log(temp.vals)
{ firstName: 'aaaa', lastName: 'aaaa', age: 'aaaa', id: 515 }
这是渲染的输出(pre html):
vals: object(3): {
firstName: string(4): "aaaa"
lastName: string(4): "aaaa"
age: string(4): "aaaa"
}
输出 回调函数>> 异步函数.save
...仍然没有更新。 :(
我不知道这是否有帮助,仅供调试:
setTimeout(function() { console.log(temp) }, 3000);
在.save
函数返回后写的:
[...]
vals: { firstName: 'aaaa', lastName: 'aaaa', age: 'aaaa', id: 517 },
[...]
我做错了什么?
答案 0 :(得分:1)
.save是异步的,所以你不能在它的回调之外使用它返回的值,因此在回调中移动你的其余代码将修复它:
var t = this;
this.db.save(vals, function (err, node) {
if (err) throw err;
vals = node;
console.log("2:"); // output print
console.log(vals); // output print
t.vals = vals;
console.log("3:"); // output print
console.log(t.vals); // output print
if (typeof calback == 'function') calback();
});
保存"这"变量允许从回调内部访问它。
对于您的调用代码,您需要确保在insert_db()的回调中呈现输出 - 例如类似的东西:
per.insert_db(function () {
res.render('login-index', { title: 'miam', dump: mf.dump(per) })
});
请注意,您必须在函数()中包装res.render,否则传入的内容将是回调将是执行该函数的返回值,而不是函数本身。