我正在使用fabricjs,我有一个JSON图像列表。每个元素代表一个图像,其中包含每个图像的左,上等信息。在我的JavaScript代码中,我有以下
for (var j = 0; j < ChrImages.d.length; j++) {
var obj = ChrImages.d[j];
fabric.util.loadImage(obj.URL, function (img) {
var customImage = new fabric.CustomImage(img, { name: obj.Name, rot: obj.Rotation, rawURL: obj.RawURL, belongsto: obj.BelongsTo,left:obj.PosX,top:obj.PosY,angle:obj.Rotation });
//customImage.set({
// left: obj.PosX,
// top: obj.PosY,
// angle: obj.Rotation,
// lockScalingX: true,
// lockScalingY: true,
// perPixelTargetFind: true,
//});
// customImage.filters.push(new fabric.Image.filters.RemoveWhite());
canvas.add(customImage);
groupWorkingChromosomeImages.add(customImage);
});
}
我遇到的问题是所有图像都堆叠在一起。似乎所有图像都是左右相同的。
我已检查以确保JSON列表准确无误。此外,我需要使用自定义类,因为我的图像具有其他属性。
有人可以告诉我为什么在紧密循环中添加图片会失败吗?
答案 0 :(得分:2)
您的变量 obj 与loadImage函数的范围不同,因此这会给您带来意想不到的结果,因为您无法控制何时触发loadImage。在你的 for 循环结束后,它可能会激发很多。
使用此代码告诉我它是否有帮助:
for (var j = 0; j < ChrImages.d.length; j++) {
var currentObj = ChrImages.d[j];
//closure, create a scope for specific variables
(function (obj) {
fabric.util.loadImage(obj.URL, function (img) {
var customImage = new fabric.CustomImage(img, {
name: obj.Name,
rot: obj.Rotation,
rawURL: obj.RawURL,
belongsto: obj.BelongsTo,
left: obj.PosX,
top: obj.PosY,
angle: obj.Rotation
});
canvas.add(customImage);
groupWorkingChromosomeImages.add(customImage);
});
})(currentObj);
}
我包装你的loadImage函数,所以它将在闭包内使用正确的obj实例,告诉我它是否有效。
欢呼声