我想旋转多边形 我有像这样的多边形数组 [[-17.999999999999986,587.25],[ - 14,1975.25],[544,169.25],[554,551.25]]
拳头步骤:我计算质心
function getCentroid(coord) {
var center = coord.reduce(function (x,y) {
return [x[0] + y[0]/coord.length, x[1] + y[1]/coord.length]
}, [0,0])
return center;
}
Seconde Step:轮换:
function rotate(CX, CY, X, Y, angle) {
var rad = angle * (Math.PI / 180.0);
var nx = Math.cos(rad) * (X-CX) - Math.sin(rad) * (Y-CY) + CX;
var ny = Math.sin(rad) * (X-CX) + Math.cos(rad) * (Y-CY) + CY;
return [nx,ny];
}
问题是每次我旋转多边形它变成了biger。 也许我在公式中遇到了问题,但很多程序员都使用过这个问题。
感谢您的回答。
答案 0 :(得分:1)
你标记了svg.js所以我假设你正在使用它。 所以我会这样做。
// assuming that you have a div with the id "canvas" here
var canvas = SVG('canvas')
var angle = 20
// draw polygon
var polygon = canvas.polygon([ [-18, 587.25], [-14, 197.25], [544, 169.25], [554, 551.25] ])
.fill('none')
.stroke('black')
// we clone it so we have something to compare
var clone = polygon.clone()
// get center of polygon
var box = polygon.bbox()
var {cx, cy} = box
// get the values of the points
var rotatedPoints = polygon.array().valueOf().map((p) => {
// transform every point
var {x, y} = new SVG.Point(p)
.transform(new SVG.Matrix().rotate(angle, cx, cy))
return [x, y]
})
// update polygon with points
polygon.plot(rotatedPoints)
小提琴:https://jsfiddle.net/Fuzzy/3qzubk5y/1/
Ofc你不需要先制作一个多边形来旋转点。您可以直接使用我们的数组并在其上调用相同的map函数。但在这种情况下,你需要自己弄清楚cx和cy:
function getCentroid(coord) {
var center = coord.reduce(function (x,y) {
return [x[0] + y[0]/coord.length, x[1] + y[1]/coord.length]
}, [0,0])
return center;
}
var canvas = SVG("canvas")
var points = [ [-18, 587.25], [-14, 197.25], [544, 169.25], [554, 551.25] ]
var center = getCentroid(points)
var angle = 20
// polygon before rotation
canvas.polygon(points).fill('none').stroke('black')
// get the values of the points
var rotatedPoints = points.map((p) => {
// transform every point
var {x, y} = new SVG.Point(p)
.transform(new SVG.Matrix().rotate(angle, center[0], center[1]))
return [x, y]
})
// polygon after rotation
canvas.polygon(rotatedPoints).fill('none').stroke('black')
小提琴:https://jsfiddle.net/Fuzzy/g90w10gg/
因此,由于你的质心函数似乎有效,你的错误必须在你的旋转函数中。但是,当我在那里使用它时,我更喜欢使用库的功能。无需重新发明weel:)
//编辑: 我稍微改变了你的质心函数,所以变量命名更清晰:
function getCentroid(coord) {
var length = coord.length
var center = coord.reduce(function (last, current) {
last.x += current[0] / length
last.y += current[1] / length
return last
}, {x: 0, y: 0})
return center;
}