这是一个与HTML5 / JavaScript游戏开发相关的问题。 我需要旋转父精灵并保持其子精灵的位置和旋转正确对齐。 因此,如果父母旋转,孩子应保持正确的位置和旋转。
有谁知道这个公式是什么?
答案 0 :(得分:1)
您必须了解对象的本地和世界坐标,以便您可以跟踪父子关系。如果你想做动画,它并不像看起来那么容易,但这是一个例子。您要查找的“公式”位于b.pos
,以计算相对于父对象的位置。
演示: http://jsbin.com/dahul/2/edit
// Some basic canvas utilities
// (see demo)
// Objects to be drawn on canvas
var a = {
x: 0, // global coordinates
y: 0, // ^
vx: .1, // velocity
vy: .1, // ^
w: 100, // dimensions
h: 100, // ^
color: 'red'
};
var b = {
parent: a, // relationship
x: 0,
y: 0,
lx: .5, // local coordinates (percentage)
ly: .5, // ^
w: 25,
h: 25,
color: 'yellow',
pos: function() { // calculate position relative to given parent
return {
x: this.parent.w * this.lx - this.w / 2,
y: this.parent.h * this.ly - this.h / 2
};
}
};
// Draw boxes with parent-child relationship
// @param a {Object} Parent
// @param b {Object} Child
var draw = function(a, b, ctx, dt) {
ctx.fillStyle = a.color;
ctx.fillRect(a.x += a.vx * dt, a.y += a.vy * dt, a.w, a.h);
ctx.fillStyle = b.color;
ctx.fillRect(b.x + a.x + b.pos().x, b.y + a.y + b.pos().y, b.w, b.h);
};
// Initialize and animate canvas
document.body.appendChild(canvas(400, 400, function(ctx) {
return render(function(dt) {
ctx.clearRect(0, 0, 400, 400);
draw(a, b, ctx, dt);
});
}));