这是小提琴
这个有效
这个没有
抱歉,我收到了很多代码,希望尽可能接近测试。
第二个是使用一个对象来保存x和y值。第一个不是。
这可能是一个功能约束问题,但我并不完全确定。
我有这段代码:
(function createClouds() {
var Cloud = Class.extend({
size: 0,
alpha: 0,
x: 0,
y: 0,
pos: {
x: 0,
y: 0
},
init: function (x, y, size, alpha) {
this.x = x;
this.y = y;
this.size = size;
this.alpha = alpha;
console.log(this.x) // this prints a random number. all good
},
update: function (time) {
},
draw: function (ctx) {
ctx.fillStyle = 'rgba(255, 255, 255, ' + this.alpha + ')';
ctx.beginPath();
ctx.fillRect(this.x, this.y, this.size, this.size);
ctx.closePath();
ctx.fill();
}
});
sg.Cloud = Cloud;
})();
然后我基本上用画布上的随机点创建这个对象。
for (var i = 0; i < 20; i++) {
var x = sg.util.getRandomInt(0, sg.currentGame.width);
var y = sg.util.getRandomInt(0, sg.currentGame.height - 260);
var size = sg.util.getRandomInt(20, 200);
var alpha = sg.util.getRandomNumber(.1, .6);
sg.createEntity(new sg.Cloud(x, y, size, alpha));
}
sg.createEntity将此实体添加到数组中;
然后我调用一个方法。
for (var i = 0; i < sg.entities.length; i++) {
sg.entities[i].draw(this.context);
}
绘制所有实体。
以上工作正常。我得到随机点。
如果我改变了这一点。
(function createClouds() {
var Cloud = Class.extend({
size: 0,
alpha: 0,
x: 0,
y: 0,
pos: {
x: 0,
y: 0
},
init: function (x, y, size, alpha) {
this.pos.x = x;
this.pos.y = y;
this.size = size;
this.alpha = alpha;
console.log(this.pos.x) //this prints a random number;
console.log(this.pos) //inspecting this object shows same points.
},
update: function (time) {
},
draw: function (ctx) {
ctx.fillStyle = 'rgba(255, 255, 255, ' + this.alpha + ')';
ctx.beginPath();
ctx.fillRect(this.pos.x, this.pos.y, this.size, this.size);
ctx.closePath();
ctx.fill();
}
});
sg.Cloud = Cloud;
})();
答案 0 :(得分:1)
这是因为.extend()
生成了基础对象的浅表副本,但.pos
是一个对象,因此复制它将导致更多的引用而不是新实例。
以下是发生的事情的一个小例子:
var a = { x: 0 }, b = a;
b.x = 4;
console.log(a.x); // prints 4
我不知道如何解决它,因为它似乎并不意味着正确处理对象属性。