我在Canvas上画了一条线,并希望基于其位置在线上合并svg图像。如何找到绘制线的起点和终点之间的角度?
修改
此功能可获取线角
public angleOfWall(p1,p2){
var angleDeg = Math.atan2(p2.y - p1.y, p2.x - p1.x) * 180 / Math.PI;
return angleDeg;
}
var angleOfWall = this.angleOfWall(closestWall.getStart(), closestWall.getEnd());
找到角度后,我想将img合并到上面。
for (let i = 0; i < this.model.floorplan.items.length; i++) {
item = this.model.floorplan.items[i];
var hover = item===this.viewmodel.activeItem;
var itemWidth = item.width|32;
var itemHeight = item.height|32;
if (!item.el) {
item.el = document.createElement('img');
// draw door line on that position
item.el.src = this.model.floorplan.items[i].model_url_2d;
item.el.onload = (( /** image **/ ) => {
this.context.drawImage(item.el,
this.viewmodel.convertX(item.xpos * item.scale_x) - itemWidth/2.,
this.viewmodel.convertY(item.zpos * item.scale_z) - itemHeight/2.,
itemWidth, itemHeight);
} 。(“ model_url2d”是SVG图片的url)
private rotateSVG(rotateSVG) {
var innerArrow = document.getElementById("#add-items");
innerArrow.setAttribute("transform", rotateSVG);
}
跟随直线旋转位置是否正确?我只是JS方面的新手,因此需要一些帮助。谢谢
here What I have now 但想将img角度旋转为线的角度
答案 0 :(得分:1)
重要提示:此答案解决了版本1以来的问题 这是我回答的问题的内容:
“ 我在Canvas上画线,并希望基于其位置在线上合并svg图像。如何找到画线起点和终点之间的角度?”
给出2个点p1和p2,您可以使用atan2方法计算从p1到p2绘制的直线的起点和终点之间的角度。
如果将线视为斜边,而将x(dx)和y(dy)中的距离视为catheti,则可以编写:let angle = Math.atan2(dy, dx);
。这将为您提供以弧度为单位的角度。如果您需要以度为单位的角度,则必须:let angleInDegrees = angle*180/Math.PI
const canvas = document.querySelector("canvas");
const ctx = canvas.getContext("2d");
let cw = canvas.width = 300,
cx = cw / 2;
let ch = canvas.height = 300,
cy = ch / 2;
// given 2 points: p1 and p2
let p1 = {x:50, y:200},
p2= {x:200, y:50}
ctx.beginPath();
ctx.moveTo(p1.x, p1.y);
ctx.lineTo(p2.x, p2.y);
ctx.stroke();
//the distance in x & y between the 2 points
let dx = p2.x - p1.x;
let dy = p2.y - p1.y;
// the angle in radians
let angle = Math.atan2(dy, dx);
// the angle in degrees
console.log(angle*180/Math.PI)
canvas{border:1px solid #d9d9d9;}
<canvas></canvas>
我希望这会有所帮助。