dot*_*pro 3 html javascript css svg canvas
我在某人的小提琴上找到了代码,可以在鼠标移动时进行笔触(单击并移动笔触)。我的要求是以相同的方式用鼠标移动在 SVG 上描边矩形。是否可能,如果是,如何?
//Canvas
const canvas = document.getElementById('canvas');
const ctx = canvas.getContext('2d');
//Variables
let canvasx = canvas.offsetLeft;
let canvasy = canvas.offsetTop;
let last_mousex = 0;
let last_mousey = 0;
let mousex = 0;
let mousey = 0;
let mousedown = false;
//Mousedown
canvas.onmousedown = ({
clientX,
clientY
}) => {
last_mousex = parseInt(clientX - canvasx);
last_mousey = parseInt(clientY - canvasy);
mousedown = true;
};
//Mouseup
canvas.onmouseup = () => mousedown = false;
//Mousemove
canvas.onmousemove = ({
clientX,
clientY
}) => {
mousex = parseInt(clientX - canvasx);
mousey = parseInt(clientY - canvasy);
if (mousedown) {
ctx.clearRect(0, 0, canvas.width, canvas.height); //clear canvas
ctx.beginPath();
const width = mousex - last_mousex;
const height = mousey - last_mousey;
ctx.rect(last_mousex, last_mousey, width, height);
ctx.strokeStyle = 'black';
ctx.lineWidth = 10;
ctx.stroke();
}
};Run Code Online (Sandbox Code Playgroud)
canvas {
cursor: crosshair;
border: 1px solid #000000;
}Run Code Online (Sandbox Code Playgroud)
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Title</title>
</head>
<body>
<canvas id="canvas" width="800" height="500"></canvas>
</body>
</html>Run Code Online (Sandbox Code Playgroud)
Some Code// To prevent Stackoverflow error, please ignore
Run Code Online (Sandbox Code Playgroud)
为了完全模仿canvas使您能够通过在任何方向上单击和拖动来绘制矩形的行为(即从右下角到左上角或反之亦然),您需要有条件地处理 x、y、宽度和高度值基于当前鼠标坐标相对于初始点的位置mousedown。此外,下面的代码片段包含一个函数,如果您在转换后的 SVG 元素(或转换后的子元素)上“绘图”,该函数将返回正确的坐标。
const svg = document.querySelector('#svg');
const svgPoint = (elem, x, y) => {
let p = svg.createSVGPoint();
p.x = x;
p.y = y;
return p.matrixTransform(elem.getScreenCTM().inverse());
}
svg.addEventListener('mousedown', (event) => {
const rect = document.createElementNS('http://www.w3.org/2000/svg', 'rect');
const start = svgPoint(svg, event.clientX, event.clientY);
const drawRect = (e) => {
let p = svgPoint(svg, e.clientX, e.clientY);
let w = Math.abs(p.x - start.x);
let h = Math.abs(p.y - start.y);
if (p.x > start.x) {
p.x = start.x;
}
if (p.y > start.y) {
p.y = start.y;
}
rect.setAttributeNS(null, 'x', p.x);
rect.setAttributeNS(null, 'y', p.y);
rect.setAttributeNS(null, 'width', w);
rect.setAttributeNS(null, 'height', h);
svg.appendChild(rect);
}
const endDraw = (e) => {
svg.removeEventListener('mousemove', drawRect);
svg.removeEventListener('mouseup', endDraw);
}
svg.addEventListener('mousemove', drawRect);
svg.addEventListener('mouseup', endDraw);
});Run Code Online (Sandbox Code Playgroud)
svg {
cursor: crosshair;
border: 1px solid #000000;
}
rect {
fill: none;
stroke: #000000;
stroke-width: 10;
}Run Code Online (Sandbox Code Playgroud)
<svg id="svg" width="800" height="500"></svg>Run Code Online (Sandbox Code Playgroud)