我正在尝试使用jszip add on从URL压缩两个文件,但出现了一个小问题。我正在尝试从url中压缩两个文件(当前正在使用imgur链接进行测试),但是仅压缩了我的一个文件。我不确定在foreach函数中是否做错了什么?
任何建议都会很棒,谢谢。
function urlToPromise(url)
{
return new Promise(function(resolve, reject)
{
JSZipUtils.getBinaryContent(url, function (err, data)
{
if(err)
{
reject(err);
} else {
resolve(data);
}
});
});
}
(function ()
{
var zip = new JSZip();
var count = 0;
var zipFilename = "instasamplePack.zip";
var urls = [
'https://i.imgur.com/blmxryl.png',
'https://i.imgur.com/Ww8tzqd.png'
];
function bindEvent(el, eventName, eventHandler) {
if (el.addEventListener){
// standard way
el.addEventListener(eventName, eventHandler, false);
} else if (el.attachEvent){
// old IE
el.attachEvent('on'+eventName, eventHandler);
}
}
// Blob
var blobLink = document.getElementById('kick');
if (JSZip.support.blob) {
function downloadWithBlob() {
urls.forEach(function(url){
var filename = "element" + count + ".png";
// loading a file and add it in a zip file
JSZipUtils.getBinaryContent(url, function (err, data) {
if(err) {
throw err; // or handle the error
}
zip.file(filename, urlToPromise(urls[count]), {binary:true});
count++;
if (count == urls.length) {
zip.generateAsync({type:'blob'}).then(function(content) {
saveAs(content, zipFilename);
});
}
});
});
}
bindEvent(blobLink, 'click', downloadWithBlob);
} else {
blobLink.innerHTML += " (not supported on this browser)";
}
})();
最佳答案
当你做
urls.forEach(function(url){
var filename = "element" + count + ".png"; // 1
JSZipUtils.getBinaryContent(url, function (err, data) {
count++; // 2
});
});
您执行
1
两次,下载完成后,您调用2
。在这两种情况下,count
仍为零(在1
处),您用另一个图像(相同名称)覆盖了一个图像。您还下载了每个图像两次:
urlToPromise
已经调用了JSZipUtils.getBinaryContent
。要解决此问题:
count
urlToPromise
已经转换了所有内容:使用它这提供了一个新的
downloadWithBlob
函数:function downloadWithBlob() {
urls.forEach(function(url, index){
var filename = "element" + index + ".png";
zip.file(filename, urlToPromise(url), {binary:true});
});
zip.generateAsync({type:'blob'}).then(function(content) {
saveAs(content, zipFilename);
});
}
关于javascript - jszip仅从url解压缩两个文件之一,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41710107/