我使用context.quadraticCurveTo(controlX, controlY, endX, endY);
在html画布上绘制了二次曲线。
我有控制点以及起点和终点,它们不一定是水平相同的。
如何使用这些参数找到曲线上的中心点?
实际上我想在这个中心点放置一个div标签。 这个过程中是否有任何等式求解?
答案 0 :(得分:18)
quadraticCurveTo
绘制quadratic Bézier curve。
计算曲线上任意给定位置(从0到1)的点坐标的公式
x(t) = (1-t)^2 * x1 + 2 * (1-t) * t * x2 + t^2 * x3
y(t) = (1-t)^2 * y1 + 2 * (1-t) * t * y2 + t^2 * y3
其中(x1,y1)是起点,(x2,y2)是控制点,(x3,y3)是终点。
因此,将其转换为JavaScript,我们最终会得到类似
的内容function _getQBezierValue(t, p1, p2, p3) {
var iT = 1 - t;
return iT * iT * p1 + 2 * iT * t * p2 + t * t * p3;
}
function getQuadraticCurvePoint(startX, startY, cpX, cpY, endX, endY, position) {
return {
x: _getQBezierValue(position, startX, cpX, endX),
y: _getQBezierValue(position, startY, cpY, endY)
};
}
如果你将开始,结束和控制点传递到getQuadraticCurvePoint
那里,同时将0.5
传递到中途位置,你应该得到一个带有X和Y坐标的物体。
免责声明 - 我没有测试代码,因此您的里程可能会有所不同,但似乎正确。 ;)德尔>
编辑:我在jsfiddle中测试了这里的代码。 http://jsfiddle.net/QA6VG/206/
答案 1 :(得分:0)
答案 2 :(得分:0)
一种可能的方式:
// compute coordinates of the middle point of a quadratic Bezier curve
// need two functions: quadraticBezierCurvePoint and quadraticBezierCurvesMiddle
function quadraticBezierCurvePoint(t, c) {
// compute relative coordinates of a point on the curve using t and c
// t is a number between 0 and 1
// c is an array of 3 points:
// the initial point of the curve (always (0,0))
// the "handle" point of the curve
// the final point of the curve
var t1, t1_2a, t1_2b, t1_2c;
t1 = 1 - t;
t1_2a = t1 * t1;
t1_2b = (2 * t) * t1;
t1_2c = t * t;
return {
x: (c[0].x * t1_2a) + (t1_2b * c[1].x) + (t1_2c * c[2].x),
y: (c[0].y * t1_2a) + (t1_2b * c[1].y) + (t1_2c * c[2].y)
};
}
function quadraticBezierCurvesMiddle(m, c) {
var k, km = 1000,
km2 = (km >> 1),
len = 0,
len2, x, y, a = new Array(km + 1);
// compute curve lengths from start point to any point
// store relative point coordinates and corresponding length in array a
for (k = 0; k <= km; k++) {
a[k] = {
pt: quadraticBezierCurvePoint(k / km, c),
len: 0
};
if (k > 0) {
x = a[k].pt.x - a[k - 1].pt.x;
y = a[k].pt.y - a[k - 1].pt.y;
a[k].len = a[k - 1].len + Math.sqrt(x * x + y * y);
}
}
// retrieve the point which is at a distance of half the whole curve length from start point
// most of the time, this point is not the one at indice km2 in array a, but it is near it
len2 = a[km].len / 2;
if (a[km2].len > len2)
for (k = km2; k >= 0; k--) {
if (len2 >= a[k].len) break;
} else
for (k = km2; k <= km; k++) {
if (len2 <= a[k].len) break;
}
// return absolute coordinates of the point
return {
x: Math.round((a[k].pt.x + m.x) * 100) / 100,
y: Math.round((a[k].pt.y + m.y) * 100) / 100
};
}
相应的jsfiddle:jsfiddle.net/pTccL/