如何在变形的HTML5画布上获取鼠标位置

用户名

我正在尝试在转换后的画布上获取鼠标位置。这是我的调整大小方法:

window.addEventListener('resize', resize);
function resize() {
    screenWidth = window.innerWidth;
    screenHeight = window.innerHeight;
    scaleFillNative = MathMAX(screenWidth / maxScreenWidth, screenHeight / maxScreenHeight);
    mainCanvas.width = screenWidth;
    mainCanvas.height = screenHeight;
    mainContext.setTransform(scaleFillNative, 0, 0, scaleFillNative, Math.floor((screenWidth - (maxScreenWidth * scaleFillNative)) / 2), 
        Math.floor((screenHeight - (maxScreenHeight * scaleFillNative)) / 2));
}

maxScreenWidth和maxScreenHeight表示画布应转换为的本机屏幕尺寸。

实际调整大小可以正常工作。但是问题是我试图在画布上的鼠标位置绘制一个圆。鼠标位置设置如下:

window.addEventListener('mousemove', gameInput, false);
var mouseX, mouseY;
function gameInput(e) {
    e.preventDefault();
    e.stopPropagation();
    mouseX = e.clientX;
    mouseY = e.clientY;
}

然后将其呈现为:

renderCircle(mouseX / scaleFillNative, mouseY / scaleFillNative, 10);

x位置正确呈现。但是,当我调整窗口大小以使其宽度小于高度时,它不再在正确的x位置呈现。y位置始终偏移。

海道

目前为止我还不知道您到底尝试了什么,但是对于基本鼠标坐标转换后的画布(非倾斜),您必须做

mouseX = (evt.clientX - canvas.offsetLeft - translateX) / scaleX;
mouseY = (evt.clientY - canvas.offsetTop - translateY) / scaleY;

但是canvas.offsetXXX没有考虑滚动量,因此此演示使用了该示例getBoundingRect

var ctx = canvas.getContext('2d');

window.addEventListener('resize', resize);
// you probably have these somewhere
var maxScreenWidth = 1800,
  maxScreenHeight = 1200,
  scaleFillNative, screenWidth, screenHeight;

// you need to set available to your mouse move listener
var translateX, translateY;

function resize() {
  screenWidth = window.innerWidth;
  screenHeight = window.innerHeight;
  // here you set scaleX and scaleY to the same variable
  scaleFillNative = Math.max(screenWidth / maxScreenWidth, screenHeight / maxScreenHeight);
  canvas.width = screenWidth;
  canvas.height = screenHeight;
  // store these values
  translateX = Math.floor((screenWidth - (maxScreenWidth * scaleFillNative)) / 2);
  translateY = Math.floor((screenHeight - (maxScreenHeight * scaleFillNative)) / 2);

  ctx.setTransform(scaleFillNative, 0, 0, scaleFillNative, translateX, translateY);
}

window.addEventListener('mousemove', mousemoveHandler, false);

function mousemoveHandler(e) {
  // Note : I don't think there is any event default on mousemove, no need to prevent it

  // normalize our event's coordinates to the canvas current transform
  // here we use .getBoundingRect() instead of .offsetXXX 
  //   because we also need to take scroll into account,
  //   in production, store it on debounced(resize + scroll) events.
  var rect = canvas.getBoundingClientRect();
  var mouseX = (e.clientX - rect.left - translateX) / scaleFillNative,
    mouseY = (e.clientY - rect.top - translateY) / scaleFillNative;

  ctx.fillRect(mouseX - 5, mouseY - 5, 10, 10);
}

// an initial call
resize();
<canvas id="canvas"></canvas>

本文收集自互联网,转载请注明来源。

如有侵权,请联系 [email protected] 删除。

编辑于
0

我来说两句

0 条评论
登录 后参与评论

相关文章