如果我定义了一个画布并在其上绘制了一些形状,那么我如何精确定位每个形状或图像,以便在每个形状上声明事件和其他属性。考虑我有一个矩形和一个三角形。所以我可以有一些机制来将它们定义为特定实体并且我可以单独处理它们。我知道 KineticJS,但我想自己实现这个功能(出于学习目的)。任何人都可以指出这样做的方法。或者可能是一种算法方法?
问问题
2302 次
2 回答
7
我想解释一下使用鼠标事件的精确定位
首先你必须实现一个方法来获取鼠标位置
function getMousePos(canvas, evt){
// get canvas position
var obj = canvas;
wrapper = document.getElementById('wrapper');
var top = 0;
var left = 0;
while (obj && obj.tagName != 'BODY') {
top += obj.offsetTop;
left += obj.offsetLeft;
obj = obj.offsetParent;
}
// return relative mouse position
var mouseX = evt.clientX - left + window.pageXOffset+wrapper.scrollLeft;
var mouseY = evt.clientY - top + window.pageYOffset+wrapper.scrollTop;
return {
x: mouseX,
y: mouseY
};
}
- 长方形
比如说,我们有一个矩形,其值如下 x1, y1, w, h
$(canvas).mousemove(function(e){
//Now call the method getMousePos
var mouseX, mouseY;
var mousePos = getMousePos(canvas, e);
mouseX=mousePos.x;
mouseY=mousePos.y;
// check if move on the rect
if(mouseX>x1 && mouseX<x1+w && mouseY>y1 && mouseY<y1+h)
{
alert('mouse on rect')
}
});
- 圆圈
比如说,我们有一个带有以下值 x, y, r 的圆
$(canvas).mousemove(function(e){
//Now call the method getMousePos
var mouseX, mouseY;
var mousePos = getMousePos(canvas, e);
mouseX=mousePos.x;
mouseY=mousePos.y;
// check if move on the rect
if(Math.pow(mouseX-x,2)+Math.pow(mouseY-y,2)<Math.pow(r,2))
{
alert('mouse on circle')
}
});
通过这种方式,我们可以精确定位画布对象
于 2012-03-22T13:17:27.780 回答
1
您不能为此使用 DOM 中的任何现有功能。所以你必须自己写。您可以从制作这样的对象模型开始:
function Shape(x, y) {
var obj = {};
obj.x = x;
obj.y = y;
obj.paint = function(canvasTarget) {
}
return obj;
}
function Rectangle(x, y, width, height) {
var obj = Shape(x, y);
obj.width = width;
obj.height = height;
obj.paint = function(canvasTarget) {
//paint rectangle on the canvas
}
return obj;
}
function Canvas(target) {
var obj = {};
obj.target = target
obj.shapes = [];
obj.paint = function() {
//loop through shapes and call paint
}
obj.addShape(shape) {
this.shapes.push(shape);
}
}
制作对象模型后,您可以使用它来绘制如下形状:
var cnv = new Canvas();
cnv.addShape(new Rectangle(10,10,100,100));
cnv.paint();
然后您可以处理画布上的 onclick 事件并确定单击了哪个形状。
于 2012-03-22T13:04:29.940 回答