您需要自己维护这些区域。画布上没有对象,只有像素,浏览器对此一无所知。
Demo here
你可以做这样的事情(简化):
// define the regions - common for draw/redraw and check
var rect1 = [150,140,8,8];
var rect2 = [200,120,8,8];
var rect3 = [200,160,8,8];
var regions = [rect1, rect2, rect3];
现在在您的 init 上,您可以使用相同的数组来渲染所有矩形:
$(document).ready(function(){
var canvas = $('#myCanvas').get(0);
if (!canvas.getContext) { return; }
var ctx = canvas.getContext('2d');
//use the array also to render the boxes
for (var i = 0, r; r = regions[i]; i++) {
ctx.fillRect(r[0],r[1],r[2],r[3]);
}
});
在单击事件中,您检查数组以查看鼠标坐标(针对画布进行了更正)是否在任何矩形内:
$('#myCanvas').on('click', function(e){
var pos = getMousePos(this, e);
// check if we got a hit
for (var i = 0, r; r = regions[i]; i++) {
if (pos.x >= r[0] && pos.x <= (r[0] + r[2]) &&
pos.y >= r[1] && pos.y <= (r[1] + r[3])) {
alert('Region ' + i + ' was hit');
}
}
});
//get mouse position relative to canvas
function getMousePos(canvas, evt) {
var rect = canvas.getBoundingClientRect();
return {
x: evt.clientX - rect.left,
y: evt.clientY - rect.top
};
}
如果窗口重新调整大小或出于其他原因清除画布(浏览器对话框等),请记住重新绘制画布。
要连接盒子,您需要存储第一次点击位置,并在第二次点击时在它们之间画一条线。
Demo with lines here
添加到全局变量,并使画布和上下文可从全局使用(有关 onready 中的相关修改,请参见小提琴):
var x1 = -1, y1;
var canvas = myCanvas;
var ctx = canvas.getContext('2d');
在点击事件中:
$('#myCanvas').on('click', function(e){
var pos = getMousePos(this, e);
for (var i = 0, r; r = regions[i]; i++) {
if (pos.x >= r[0] && pos.x <= (r[0] + r[2]) &&
pos.y >= r[1] && pos.y <= (r[1] + r[3])) {
//first hit? then store the coords
if (x1 === -1) {
x1 = pos.x;
y1 = pos.y;
} else {
//draw line from first point to this
ctx.beginPath();
ctx.moveTo(x1, y1);
ctx.lineTo(pos.x, pos.y);
ctx.stroke();
x1 = -1; //reset (or keep if you want continuous lines).
};
}
}
});