我的问题是:发出事件时,如何计算逻辑和数学部分,以便计算每个弧的位置:“单击”,“鼠标悬停”等。

要考虑的要点:

。行宽

。它们是圆形的线。

。弧长百分比。

。首先是哪个元素,ej:z索引位置。

My source code

javascript - 发生事件时获取HTML5 Canvas 图形(Arc)的尺寸-LMLPHP

感谢您的时间。

最佳答案

为此,有一个方便的isPointInStroke()方法。

要考虑z-index,只需按照您绘制的相反顺序进行检查即可:



const ctx = canvas.getContext('2d');
const centerX = canvas.width/2;
const centerY = canvas.height/2;
const rad = Math.min(centerX, centerY) * 0.75;
const pathes = [
  {
    a: Math.PI/4,
    color: 'white'
  },
  {
    a: Math.PI/1.5,
    color: 'cyan'
  },
  {
    a: Math.PI,
    color: 'violet'
  },
  {
    a: Math.PI*2,
    color: 'gray'
  }
];
pathes.forEach(obj => {
  const p = new Path2D();
  p.arc(centerX, centerY, rad, -Math.PI/2, obj.a-Math.PI/2);
  obj.path = p;
});

ctx.lineWidth = 12;
ctx.lineCap = 'round';

function draw() {
  ctx.clearRect(0,0,canvas.width,canvas.height);
  // since we sorted first => higher z-index
  for(let i = pathes.length-1; i>=0; i--) {
    let p = pathes[i];
    ctx.strokeStyle = p.hovered ? 'green' : p.color;
    ctx.stroke(p.path);
  };
}
function checkHovering(evt) {
  const rect = canvas.getBoundingClientRect();
  const x = evt.clientX - rect.left;
  const y = evt.clientY - rect.top;
  let found = false;
  pathes.forEach(obj => {
    if(found) {
      obj.hovered = false;
    }
    else {
      found = obj.hovered = ctx.isPointInStroke(obj.path, x, y);
    }
  });
  draw();
}

draw();
canvas.onmousemove = canvas.onclick = checkHovering;

 

canvas{background: lightgray}

<canvas id="canvas"></canvas>





并且,如果您需要IE支持,则this polyfill应该可以。

07-28 07:24