HTML5 Canvas里绘制椭圆并保持线条粗细均匀的方法
示例代码:
[html]
<canvas width="400" height="300"></canvas>
<script>
var ctx = document.querySelector('canvas').getContext('2d');
ctx.lineWidth = "10";
ctx.scale(1, 0.2);
ctx.arc(150,150,100,0,Math.PI*2,false);
ctx.stroke();
</script>
<canvas width="400" height="300"></canvas>
<script>
var ctx = document.querySelector('canvas').getContext('2d');
ctx.lineWidth = "10";
ctx.scale(1, 0.2);
ctx.arc(150,150,100,0,Math.PI*2,false);
ctx.stroke();
</script>
有点不对,因为线条粗细不均匀了,stroke也被scale影响了。
要修正这个问题,就要一点点小技巧了。
示例代码:
[html]
<canvas width="400" height="300"></canvas>
<script>
var ctx = document.querySelector('canvas').getContext('2d');
ctx.lineWidth = "10";
ctx.save();
ctx.scale(1, 0.2);
ctx.arc(150,150,100,0,Math.PI*2,false);
ctx.restore();
ctx.stroke();
</script>
<canvas width="400" height="300"></canvas>
<script>
var ctx = document.querySelector('canvas').getContext('2d');
ctx.lineWidth = "10";
ctx.save();
ctx.scale(1, 0.2);
ctx.arc(150,150,100,0,Math.PI*2,false);
ctx.restore();
ctx.stroke();
</script>
现在均匀了,非常完美。
技巧就在先save保存画布状态,然后缩放、调用路径指令,再restore恢复画布状态,再stroke绘制出来。
关键点是先save后缩放,先restore后stroke.