如何使用 FabricJS 关闭 Polygon 对象的对象缓存?
我们可以通过创建 fabric.Polygon 实例来创建 Polygon 对象。多边形对象的特征是任何由一组连接的直线段组成的封闭形状。由于它是 FabricJS 的基本元素之一,我们还可以通过应用角度、不透明度等属性轻松自定义它。
FabricJS 对象缓存在额外的画布上,以便在重复使用对象时节省时间。为了关闭 Polygon 对象的对象缓存,我们使用 objectCaching 属性。
语法
new fabric.Polygon( points: Array, { objectCaching: Boolean }: Object )
参数
points − 此参数接受一个 Array,表示构成多边形对象的点数组,其中每个点都是具有 x 和 y 的对象。
options(可选) − 此参数是一个 Object,它为我们的对象提供额外的自定义。使用此参数原点、笔触宽度和许多其他属性可以更改与 Polygon 对象相关的属性,其中 objectCaching 是一个属性。
选项键
objectCaching − 此属性接受 布尔 值,表示对象是否缓存在其他画布上。默认值为"true"。
示例 1:多边形对象的默认外观
让我们看一个代码示例,了解当 objectCaching 设置为"true"(默认值)时多边形对象如何对事件做出反应。FabricJS 缓存对象是为了优化并允许在画布上快速绘制对象。
在这里,我们已选择和取消选择事件,以在用户选择或取消选择多边形对象时显示填充颜色的变化。由于 objectCaching 已打开,选择或取消选择对象不会有任何变化。
<!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>Default appearance of polygon object</h2> <p> You can select and deselect the object to see that the fill colour does not change </p> <canvas id="canvas"></canvas> <script> // 启动一个canvas实例 var canvas = new fabric.Canvas("canvas"); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); // 初始化多边形对象 var polygon = new fabric.Polygon( [ { x: 0, y: 0 }, { x: 0, y: 80 }, { x: 80, y: 80 }, { x: 80, y: 0 }, ], { left: 100, fill: "black", stroke: "blue", strokeWidth: 2, scaleX: 2, scaleY: 2, } ); // 将其添加到画布 canvas.add(polygon); // 使用选定事件 polygon.on("selected", () => { polygon.fill = "blue"; canvas.renderAll(); }); // 使用取消选择事件 polygon.on("deselected", () => { polygon.fill = "black"; canvas.renderAll(); }); </script> </body> </html>
示例 2:向 objectCaching 属性传递"false"值
让我们看一个代码示例,了解如何通过向 objectCaching 属性传递"false"值来阻止画布缓存多边形对象。在这里,我们可以看到,由于 objectCaching 已关闭,因此选择和取消选择对象会改变其填充颜色。
<!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>Passing objectCaching property a "false" value</h2> <p> You can select and deselect the object to see that the fill colour changes </p> <canvas id="canvas"></canvas> <script> // 启动一个canvas实例 var canvas = new fabric.Canvas("canvas"); canvas.setWidth(document.body.scrollWidth); canvas.setHeight(250); // 初始化多边形对象 var polygon = new fabric.Polygon( [ { x: 0, y: 0 }, { x: 0, y: 80 }, { x: 80, y: 80 }, { x: 80, y: 0 }, ], { left: 100, fill: "black", stroke: "blue", strokeWidth: 2, scaleX: 2, scaleY: 2, objectCaching: false, } ); // 将其添加到画布 canvas.add(polygon); // 使用选定事件 polygon.on("selected", () => { polygon.fill = "blue"; canvas.renderAll(); }); // 使用取消选择事件 polygon.on("deselected", () => { polygon.fill = "black"; canvas.renderAll(); }); </script> </body> </html>
结论
在本教程中,我们使用了两个简单示例来演示如何使用 FabricJS 关闭 Polygon 对象的对象缓存。