数组长度不等于数组对象
2013-11-27
1642
下面的代码基本上遍历了已放置的文件,将文件对象推送到 filesArray 中,如果它们符合 条件(小于 1mb 并且是 png/jpg/fig) ,则将文件附加到 DOM。我已将允许的文件大小设置为 1MB。
for (var i = 0, f; f = files[i]; i++) {
if (validateType(files[i].type)){
//alert("ok");
if (files[i].size < allowedSize){
filesArray[i]=files[i];
var reader = new FileReader();
a = 0;
reader.onload = function (event) {
var image = new Image();
image.src = event.target.result;
//image.width = 100; // a fake resize
imageBoxWrapper = $("<span />", {id: "idw"+a,class: "imageBoxWrapper"});
imageBox = $("<span />", {id: "idb"+a,class: "imageBox"});
complete = imageBox.append(image);
$(complete).appendTo(imageBoxWrapper);
newimageBox = $(imageBoxWrapper).append("<span class='imageDelete' imageIndex="+a+"><img src='images/icons/cross.png'> Delete</span>");
$(newimageBox).appendTo("#dropZone");
a++;
};
reader.readAsDataURL(files[i]);
} //end size validation
else{
oversize = true;
overzsizefiles += files[i].name+" is bigger than 1Mb \n";
}
} // end type validation
else{
found = true;
unAllowedFiles += files[i].name+" is not allowed \n";;
}
}
当我放置大于 1 MB 的文件时,它们不会附加到 DOM,但是当我 console.log(filesArray) 时,长度适用于所有文件。例如
a.png > 1 MB
b.png > 512KB
c.png > 256KB
Alert will be thrown for a.png that it is oversize,
b.png and c.png will be appended to DOM,
console.log(fileArray) outputs [1: file, 2; file]
console.log(fileArray) output 3
由于
filesArray[i]=files[i]
在 if 块
if (files[i].size < allowedSize)
中声明,我预计数组长度为 2
1个回答
您正在执行
filesArray[i] = files[i];
,因此如果最后一个项目通过了大小测试,则
filesArray
将被设置为全长,即使中间的一些项目未分配。Javascript
.length
报告的值比分配的最高数组元素高 1。
在这个简单的测试中,您可以看到发生了什么:
var x = [];
x[10] = "foo";
alert(x.length); // alerts 11
要修复它,您可能需要将:
filesArray[i]=files[i];
更改为:
filesArray.push(files[i]);
然后,
filesArray
将仅包含通过大小测试的项目,并且其长度将与其包含的项目数量相匹配。
jfriend00
2013-11-27