Res*_*art 10 javascript oop methods
我刚开始在javascript中使用oop,我遇到了一些问题,试图从另一个方法中访问一个方法.
这是我的代码:
var Game = {
initialize: function () {
if (canvas.isSupported()) {
sprites[0] = new Player();
this.update();
}
},
update: function() {
for (var i = 0; i < sprites.length; i++) {
sprites[i].update();
}
this.draw();
},
draw: function() {
this.clear();
for (var i = 0; i < sprites.length; i++) {
sprites[i].draw();
}
setTimeout(this.update, 10);
},
clear: function() {
canvas.context.clearRect(0, 0, canvas.element.width, canvas.element.height);
}
Run Code Online (Sandbox Code Playgroud)
}
但是调用Game.update()会给出一个错误,即没有定义draw方法.我无法找到真正的解决方案.最终我发现这个如何在一个javascript对象
中调用一个方法,其答案似乎是我需要保护这个引用像:
var _this = this;
但我无法用文字表示法工作,所以我将代码更改为对象构造函数(我想这就是它的调用方式)并添加了变量.
然后我改变了
this.draw();
Run Code Online (Sandbox Code Playgroud)
至
_this.draw();
Run Code Online (Sandbox Code Playgroud)
它起作用了.
虽然
this.clear();
Run Code Online (Sandbox Code Playgroud)
并且this.update()仍然是相同的,他们似乎从来没有给出错误.
谁能解释为什么会这样?并且可能指出我更好的解决方案?提前致谢.
更新
这是它应该是什么:
var Game = function () {
var _this = this;
this.initialize = function () {
if (canvas.isSupported()) {
sprites[0] = new Player();
this.update();
}
}
this.update = function () {
for (var i = 0; i < sprites.length; i++) {
sprites[i].update();
}
this.draw();
}
this.draw = function () {
this.clear();
for (var i = 0; i < sprites.length; i++) {
sprites[i].draw();
}
setTimeout(function () { _this.update(); }, 10);
}
this.clear = function () {
canvas.context.clearRect(0, 0, canvas.element.width, canvas.element.height);
}
Run Code Online (Sandbox Code Playgroud)
}
Poi*_*nty 14
当你这样做:
setTimeout(this.update, 10);
Run Code Online (Sandbox Code Playgroud)
这确实正确地将对"更新"函数的引用传递给系统,但是当浏览器实际上稍后调用该函数时,它将不知道this应该是什么.您可以做的是以下内容:
var me = this;
setTimeout(function() { me.update(); }, 10);
Run Code Online (Sandbox Code Playgroud)
这将确保在调用"update"时,将this正确调用它作为对象的引用.
与其他一些语言不同,函数最初被定义为对象的属性这一事实本身并不将函数绑定到该对象.以同样的方式,如果你有一个具有属性的对象,这是一个简单的数字:
maxLength: 25,
Run Code Online (Sandbox Code Playgroud)
那么"25"的价值与对象没有任何关系; 这只是一个价值.在JavaScript中,函数也只是值.因此,this只要以某种"特殊"方式调用函数,程序员就有责任确保将其设置为适当的东西.