如何使用FabricJS为圆形添加虚线描边?
在本教程中,我们将学习如何使用FabricJS为圆形添加**虚线描边**。圆形是FabricJS提供的各种形状之一。为了创建一个圆形,我们将必须创建一个fabric.Circle类的实例并将其添加到画布中。strokeDashArray属性允许我们为对象的描边指定虚线图案。
语法
new fabric.Circle( { strokeDashArray: Array }: Object)
参数
options (可选) − 此参数是一个对象,它为我们的圆形提供了额外的自定义选项。使用此参数,可以更改许多与对象相关的属性,例如颜色、光标和描边宽度,其中strokeDashArray也是一个属性。
选项键
strokeDashArray − 此选项是一个数组,用于定义虚线的图案。例如,如果我们传递一个值为[2,3]的数组,则表示一个2px的虚线和3px的间隙,并无限重复此图案。
示例1
对象的描边默认外观
让我们来看一个示例,该示例描述了圆形对象的描边的默认外观。由于我们没有使用strokeDashArray属性,因此没有显示任何虚线图案。
<!DOCTYPE html> <html> <head> <!-- Adding the Fabric JS Library--> <script src="https://cdnjs.cloudflare.com/ajax/libs/fabric.js/510/fabric.min.js"> </script> </head> <body> <h2>Adding dashed stroke to a circle using FabricJS</h2> <p>Here you cannot see the dashed stokes as we have not used the <b>strokeDashArray</b> property. This is the default appearance.</p> <canvas id="canvas"></canvas> <script> // Initiate a canvas instance var canvas = new fabric.Canvas("canvas"); var cir = new fabric.Circle({ left: 215, top: 100, fill: "#adff2f", radius: 50, stroke: "#228b22", strokeWidth: 15 }); // Adding it to the canvas canvas.add(cir); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
示例2
将strokeDashArray属性作为键传递
在这个例子中,我们将strokeDashArray属性的值设置为[9,2]。这意味着将创建一个虚线图案,其中包含一条9px长的线,后面跟着一个2px的间隙,然后再次绘制一条9px长的线,以此类推。
<!DOCTYPE html> <html> <head> <!-- Adding the Fabric JS Library--> <script src="https://cdnjs.cloudflare.com/ajax/libs/fabric.js/510/fabric.min.js"></script> </head> <body> <h2>Adding dashed stroke to a circle using FabricJS</h2> <p>Notice that here we have used the <b>strokeDashArray</b> property. </p> <canvas id="canvas"></canvas> <script> // Initiate a canvas instance var canvas = new fabric.Canvas("canvas"); var cir = new fabric.Circle({ left: 215, top: 100, fill: "#adff2f", radius: 50, stroke: "#228b22", strokeWidth: 15, strokeDashArray: [9, 2] }); // Adding it to the canvas canvas.add(cir); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
广告