我正在尝试将我的 JavaScript函数转换为dojo类.我在我的一个JS方法中有一个setTimeOut(“functionName”,2000).如何使用dojo.declare方法从decared类中的方法调用它.例如,下面是我的自定义类. dojo.de
dojo.declare("Person",null,{
constructor:function(age,country,name,state){
this.age=age;
this.country=country;
this.name=name;
this.state=state;
},
moveToNewState:function(newState){
this.state=newState;
//I need to call "isStateChanged" method after 2000 ms. How do I do this?
setTimeOut("isStateChanged",2000);
},
isStateChanged:function(){
alert('state is updated');
}
});
var person=new Person(12,"US","Test","TestState");
person.moveToNewState("NewState");
请告诉我如何在2000ms后从moveToNewState方法调用isStateChanged方法.
您正在寻找的是一种将此值绑定到setTimeout将调用的函数的方法:moveToNewState:function(newState){
// Remember `this` in a variable within this function call
var context = this;
// Misc logic
this.state = newState;
// Set up the callback
setTimeout(function() {
// Call it
context.isStateChanged();
}, 2000);
},
以上是使用闭包来绑定上下文(参见:Closures are not complicated),这是执行此操作的常用方法. Dojo可以提供内置函数来生成这些“绑定”回调(Prototype和jQuery do). (编辑:确实如此,他在peller以下的评论中指出了dojo.hitch.)
关于这个一般概念的更多信息:You must remember this
