web-dev-qa-db-ja.com

複数の画像ファイルのZipファイルを作成する方法

複数の画像ファイルのZipファイルを作成しようとしています。すべての画像のZipファイルを作成することに成功しましたが、どういうわけかすべての画像が950バイトにハングアップしています。ここで何が問題になっているのかわかりませんが、圧縮された画像をそのZipファイルで開くことができません。

これが私のコードです。誰かが私にここで何が起こっているのか教えてもらえますか?

String path="c:\\windows\\twain32";
File f=new File(path);
f.mkdir();
File x=new File("e:\\test");
x.mkdir();
byte []b;
String zipFile="e:\\test\\test.Zip";
FileOutputStream fout=new FileOutputStream(zipFile);
ZipOutputStream zout=new ZipOutputStream(new BufferedOutputStream(fout));


File []s=f.listFiles();
for(int i=0;i<s.length;i++)
{
    b=new byte[(int)s[i].length()];
    FileInputStream fin=new FileInputStream(s[i]);
    zout.putNextEntry(new ZipEntry(s[i].getName()));
    int length;
    while((length=fin.read())>0)
    {
        zout.write(b,0,length);
    }
    zout.closeEntry();
    fin.close();
}
zout.close();
11

これを変える:

while((length=fin.read())>0)

これに:

while((length=fin.read(b, 0, 1024))>0)

そして、バッファサイズを1024バイトに設定します。

b=new byte[1024];
10
hoaz

これは、ファイル構造に常に使用するZip関数です。

public static File Zip(List<File> files, String filename) {
    File zipfile = new File(filename);
    // Create a buffer for reading the files
    byte[] buf = new byte[1024];
    try {
        // create the Zip file
        ZipOutputStream out = new ZipOutputStream(new FileOutputStream(zipfile));
        // compress the files
        for(int i=0; i<files.size(); i++) {
            FileInputStream in = new FileInputStream(files.get(i).getCanonicalName());
            // add Zip entry to output stream
            out.putNextEntry(new ZipEntry(files.get(i).getName()));
            // transfer bytes from the file to the Zip file
            int len;
            while((len = in.read(buf)) > 0) {
                out.write(buf, 0, len);
            }
            // complete the entry
            out.closeEntry();
            in.close();
        }
        // complete the Zip file
        out.close();
        return zipfile;
    } catch (IOException ex) {
        System.err.println(ex.getMessage());
    }
    return null;
}
15
salocinx