为什么我不能在javascript对象中使用setTimeout
?
Message = function () {
...
...
this.messageFactory = ...
this.feedbackTag = document.getElementById('feedbackMessages');
this.addInfo = function (message) {
var info = this.messageFactory.createInfo(message); // create a div
this.feedbackTag.appendChild(info);
setTimeout('this.feedbackTag.removeChild(info)', 5000);
// why in here, it complain this.feedbacktag is undefined ??????
};
}
感谢Steve的解决方案,现在如果代码如下,它将会起作用... 因为之前的'this'实际指向setTimeOut中的函数,所以它不能重新发送消息。
Message = function () {
...
...
this.messageFactory = ...
this.feedbackTag = document.getElementById('feedbackMessages');
this.addInfo = function (message) {
var info = this.messageFactory.createInfo(message); // create a div
this.feedbackTag.appendChild(info);
var _this = this;
setTimeout(function() { _this.feedbackTag.removeChild(info); }, 5000);
};
}
但是,如果我们这样做,为什么它不起作用:
Message = function () {
...
...
this.messageFactory = ...
this.feedbackTag = document.getElementById('feedbackMessages');
// public function
this.addInfo = function (message) {
var info = this.messageFactory.createInfo(message); // create a div
this.feedbackTag.appendChild(info);
delayRemove(info);
};
// private function
function delayRemove(obj) {
var _this = this;
setTimeout(function() { _this.feedbackTag.removeChild(info); }, 5000);
}
}
答案 0 :(得分:84)
尝试替换此行:
setTimeout('this.feedbackTag.removeChild(info)', 5000);
这两行:
var _this = this;
setTimeout(function() { _this.feedbackTag.removeChild(info); }, 5000);
注意:强>
永远不要传递setTimeout
一个字符串,因为这会调用eval
(只有在必要时才能使用)。相反,传递setTimeout
函数引用(这可以是匿名函数)。
最后,请务必检查this
关键字是否指向您认为指向的内容(请参阅http://www.alistapart.com/articles/getoutbindingsituations)。
解决问题2:
我相信对于普通函数,this
设置为window
对象 - 无论它们在何处被声明。因此,将代码移动到单独的函数中无法解决问题。
答案 1 :(得分:9)
更简洁的方法是将 this 作为参数传递给超时中调用的函数:
function delayRemove(obj) {
setTimeout(function(_this) {
_this.feedbackTag.removeChild(obj);
}, 5000, this);
}
你也应该将 obj 作为参数传递,只是为了确保它在范围内(参数的数量是无限的):
function delayRemove(obj) {
setTimeout(function(_this, removeObj) {
_this.feedbackTag.removeChild(removeObj);
}, 5000, this, obj);
}
HTML5和Node.js扩展了setTimeout
函数以接受传递给回调函数的参数。它具有以下方法签名。
setTimeout(callback, delay, [param1, param2, ...])
作为setTimeout
isn't actually a JavaScript feature,您的搜索结果可能因浏览器而异。我找不到任何支持的具体细节,但正如我所说,这是在HTML5规范中。
答案 2 :(得分:2)
回答你的上一个问题:“如果我们这样做,为什么它不起作用”:
Message = function () {
...
...
this.messageFactory = ...
this.feedbackTag = document.getElementById('feedbackMessages');
// public function
this.addInfo = function (message) {
var info = this.messageFactory.createInfo(message); // create a div
this.feedbackTag.appendChild(info);
delayRemove(info);
};
// private function
function delayRemove(obj) {
var _this = this;
setTimeout(function() { _this.feedbackTag.removeChild(info); }, 5000);
}}
它无效,因为您传递的是未定义的变量(info
)而不是已定义的变量(obj
)。这是更正后的功能:
function delayRemove(obj) {
var _this = this;
setTimeout(function() { _this.feedbackTag.removeChild(obj); }, 5000);}