1

我正在深入研究 HTML5 画布,并在使用本地安装的 Chrome 版本时遇到了一些奇怪的事情。它是 Linux 上的 Chrome 29。

我正在查看以下内容(来自 HTML5 Canvas 的示例代码,第 2 版):

//draw a big box on the screen
context.fillStyle = "black";
context.fillRect(10, 10, 200, 200);
context.save();

context.beginPath();

context.rect(0, 0, 50, 50);
context.clip();

//red circle
context.beginPath();
context.strokeStyle = "red";
context.lineWidth=5;
context.arc(100, 100, 100, (Math.PI/180)*0, (Math.PI/180)*360, false);

context.stroke();
context.closePath();

context.restore();

//reclip to the entire canvas
context.beginPath();
context.rect(0, 0, 500, 500);
context.clip();

//draw a blue line that is not clipped
context.beginPath();
context.strokeStyle = "blue"; //need list of available colors
context.lineWidth=5;
context.arc(100, 100, 50, (Math.PI/180)*0, (Math.PI/180)*360, false);
context.stroke();
context.closePath();

并且应该得到:

正确的

但请参阅:

不正确

我的研究表明,Chrome 画布处于不断变化的状态,并且弧线过去曾出现过问题。但是,在 Windows 版 Chrome 的关闭版本和另一个 linux 桌面上的 Chrome 27 上似乎没问题。

我查看了我的 Chrome://flags 并没有看到任何明显影响这一点的东西。

任何指导将不胜感激。

编辑:

我在 chrome://flags 中尝试了 #enable-experimental-canvas-features 和 #disable-accelerated-2d-canvas 的变体,但没有任何运气。

这是一个小提琴:

http://jsfiddle.net/QJRHE/4/

另一个编辑:

此代码适用于我机器上的 Chromium 28.0.1500.71。我开始怀疑这是一个 Chrome 错误。

4

1 回答 1

2

弧线经常被误解为不是圆的。与真正的圆形(或它们自身的封闭路径的矩形,子路径)相反,它们具有开放端,因此可以连接到其他路径。

因此,正确关闭电弧很重要。您快到了,但是在关闭路径之前抚摸路径,关闭没有效果。

尝试切换两条线,使它们看起来像这样:

context.closePath();
context.stroke();

当然,您尝试使用的版本可能存在错误(Chrome 过去曾遇到过很多关于弧的问题)。

更新

要提供可能的解决方法,您可以这样做:

A)手动创建一个像这样的圆圈(我尽我所能优化它):

在线演示在这里

function circle(ctx, cx, cy, radius) {

    var x, y, i = 2 * Math.PI, dlt = radius * 0.0005;

    while(i > 0) {
        x = cx + radius * Math.cos(i);
        y = cy + radius * Math.sin(i);
        i === 4 ? ctx.moveTo(x, y) : ctx.lineTo(x, y);
        i -= dlt;
    }
    ctx.closePath();
}

B) 使用贝塞尔曲线创建一个圆(它不会是一个完美的圆,而是非常相似):

function drawEllipse(ctx, x, y, w, h) {

  var kappa = 0.5522848,
      ox = (w * 0.5) * kappa, // control point offset horizontal
      oy = (h * 0.5) * kappa, // control point offset vertical
      xe = x + w,             // x-end
      ye = y + h,             // y-end
      xm = x + w * 0.5,       // x-middle
      ym = y + h * 0.5;       // y-middle

  ctx.beginPath();
  ctx.moveTo(x, ym);
  ctx.bezierCurveTo(x, ym - oy, xm - ox, y, xm, y);
  ctx.bezierCurveTo(xm + ox, y, xe, ym - oy, xe, ym);
  ctx.bezierCurveTo(xe, ym + oy, xm + ox, ye, xm, ye);
  ctx.bezierCurveTo(xm - ox, ye, x, ym + oy, x, ym);
  ctx.closePath();
  ctx.stroke();
}
于 2013-09-12T20:11:50.450 回答