如何使用 FabricJS 设置椭圆的水平和垂直半径?
在本教程中,我们将学习如何使用 FabricJS 设置椭圆的水平和垂直半径。椭圆是 FabricJS 提供的各种形状之一。为了创建椭圆,我们必须创建一个 fabric.Ellipse 类的实例并将其添加到画布上。我们可以通过指定其位置、颜色、不透明度和尺寸来自定义椭圆对象。但是,最重要的属性是 rx 和 ry,它们允许我们为椭圆分配水平和垂直半径。
语法
new fabric.Ellipse({ rx : Number, ry: Number }: Object)
参数
options (可选) - 此参数是一个 Object,它为我们的椭圆提供了额外的自定义选项。使用此参数,可以更改与对象相关的颜色、光标、笔划宽度以及许多其他属性,其中 rx 和 ry 是属性。
选项键
rx - 此属性接受一个 Number 值。分配的值决定了椭圆对象的水平半径。
ry - 此属性接受一个 Number 值。分配的值决定了椭圆对象的垂直半径。
示例 1
未使用 rx 和 ry 时的默认外观
以下代码显示了当未使用 rx 和 ry 属性时椭圆对象的外观。在本例中,我们可以看到我们使用了填充颜色来定位我们的椭圆,它是不可见的,因为我们没有为它分配水平和垂直半径。
<!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>Setting the horizontal and vertical radius of an Ellipse using FabricJS</h2> <p>Here we are getting a blank output because we have not assigned any horizontal and vertical radius.</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: 115, top: 50, fill: "red", }); // Adding it to the canvas canvas.add(ellipse); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
示例 2
将 rx 和 ry 属性作为键传递
在本例中,我们分别将 rx 和 ry 属性传递值 100 和 70。因此,我们的椭圆对象将具有 100px 的水平半径和 70px 的垂直半径。
<!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>How to set the horizontal and vertical radius of Ellipse using FabricJS?</h2> <p>Here we have supplied the horizontal and vertical radius, <b>rx</b> and <b>ry</b>. Hence we are getting an ellipse of a definite dimension. </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: 115, top: 50, rx: 100, ry: 70, fill: "red", }); // Adding it to the canvas canvas.add(ellipse); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); </script> </body> </html>
广告