如何使用 FabricJS 创建带有虚线边框的椭圆形?
在本教程中,我们将学习如何使用 FabricJS 创建一个带有**虚线边框**的椭圆形。椭圆形是 FabricJS 提供的各种形状之一。要创建椭圆形,我们必须创建一个fabric.Ellipse类的实例并将其添加到画布中。我们可以使用borderDashArray属性来更改边框虚线的样式。但是,为了使此属性生效,我们的椭圆对象必须具有边框。如果将hasBorders属性设置为false,则此属性将无效。
语法
如何使用 FabricJS 创建带有虚线边框的椭圆形?
new fabric.Ellipse({ borderDashArray: Array }: Object)
参数
options (可选) − 此参数是一个对象,它为我们的椭圆提供额外的自定义选项。使用此参数可以更改与borderDashArray属性相关的对象的许多属性,例如颜色、光标和描边宽度。
选项键
borderDashArray − 此属性接受一个数组,该数组通过数组指定间隔来指定虚线图案。例如,如果我们传入一个值为[2,3]的数组,则表示一个2像素的虚线和3像素的间隙,并无限重复此图案。
示例 1
使用自定义值作为borderDashArray键传递
以下代码演示了如何在 FabricJS 中使用borderDashArray属性创建虚线边框。在此示例中,我们使用了[7,10]数组,这意味着图案将通过绘制一条7像素长的线,然后是一个10像素的间隙来创建。
<!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>Creating an Ellipse with a dash pattern border using FabricJS</h2> <p>Select the object to see its dash pattern purple border.</p> <canvas id="canvas"></canvas> <script> // Initiate a canvas instance var canvas = new fabric.Canvas("canvas"); // Initiate an ellipse instance var ellipse = new fabric.Ellipse({ left: 215, top: 100, rx: 90, ry: 50, fill: "red", borderColor: "rgb(128,0,128)", borderDashArray: [7, 10], }); // Adding it to the canvas canvas.add(ellipse); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
示例 2
使用值为“false”的hasBorders键传递
正如我们在这个例子中看到的,即使我们已经为borderColor和borderDashArray属性赋予了正确的数值,它们也不会生效,因为hasBorders属性被设置为False。当它设置为False时,对象的边框将不会被渲染。
<!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>Creating an Ellipse with a dash pattern border using FabricJS</h2> <p>Select the object. You will notice there are no outline borders as we have set the <b>hasBorders</b> property to False. </p> <canvas id="canvas"></canvas> <script> // Initiate a canvas instance var canvas = new fabric.Canvas("canvas"); // Initiate an ellipse instance var ellipse = new fabric.Ellipse({ left: 215, top: 100, rx: 90, ry: 50, fill: "red", borderColor: "rgb(128,0,128)", borderDashArray: [7, 10], hasBorders: false, }); // Adding it to the canvas canvas.add(ellipse); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
广告