HTML5 Canvas 提供了很多圖形繪制的函數(shù),但是很可惜,Canvas API只提供了畫實(shí)線的函數(shù)(lineTo),卻并未提供畫虛線的方法。這樣的設(shè)計(jì)有時(shí)會(huì)帶來(lái)很大的不便,《JavaScript權(quán)威指南》的作者David Flanagan就認(rèn)為這樣的決定是有問(wèn)題的,尤其是在標(biāo)準(zhǔn)的修改和實(shí)現(xiàn)都比較簡(jiǎn)單的情況下 (“…something that is so trivial to add to the specification and so trivial to implement… I really think you’re making a mistake here” — http://lists.whatwg.org/pipermail/whatwg-whatwg.org/2007-May/011224.html)。
在Stack Overflow上,Phrogz提供了一個(gè)自己的畫虛線的實(shí)現(xiàn)(http://stackoverflow.com/questions/4576724/dotted-stroke-in-canvas),嚴(yán)格的說(shuō),這是一個(gè)點(diǎn)劃線的實(shí)現(xiàn)(p.s. 我認(rèn)為該頁(yè)面上Rod MacDougall的簡(jiǎn)化版更好)。那么,如果需要畫圓點(diǎn)虛線(如下圖所示),應(yīng)該怎么辦呢?
以下是我自己的實(shí)現(xiàn),只支持畫水平的和垂直的圓點(diǎn)虛線,可以參考Phrogz與Rod MacDougall的方法來(lái)添加斜線描畫的功能。
var canvasPrototype = window.CanvasRenderingContext2D && CanvasRenderingContext2D.prototype;
canvasPrototype.dottedLine = function(x1, y1, x2, y2, interval) {
if (!interval) {
interval = 5;
}
var isHorizontal=true;
if (x1==x2){
isHorizontal=false;
}
var len = isHorizontal ? x2-x1 : y2-y1;
this.moveTo(x1, y1);
var progress=0;
while (len > progress) {
progress += interval;
if (progress > len) {
progress = len;
}
if (isHorizontal) {
this.moveTo(x1+progress,y1);
this.arc(x1+progress,y1,1,0,2*Math.PI,true);
this.fill();
} else {
this.moveTo(x1,y1+progress);
this.arc(x1,y1+progress,1,0,2*Math.PI,true);
this.fill();
}
}
}