2

当我尝试按照以下代码将 zip 文件提取到文件夹中时,其中一个条目(A 文本文件)收到错误为“无效条目大小(预期为 46284,但得到 46285 字节)”并且我的提取正在停止突然。我的 zip 文件包含大约 12 个文本文件和 20 个 TIF 文件。它遇到了文本文件的问题,并且由于它进入 Catch 块而无法继续进行。我只在 Unix 上运行的生产服务器中遇到这个问题,其他服务器(Dev、Test、UAT)没有问题。我们通过执行文件传输的外部团队将 zip 文件放入服务器路径,然后我的代码开始工作以提取 zip 文件。

    ...
    int BUFFER = 2048;
    java.io.BufferedOutputStream dest = null;
    String ZipExtractDir = "/y34/ToBeProcessed/";
    java.io.File MyDirectory = new java.io.File(ZipExtractDir);
    MyDirectory.mkdir();
    ZipFilePath = "/y34/work_ZipResults/Test.zip";

    // Creating fileinputstream for zip file
    java.io.FileInputStream fis = new java.io.FileInputStream(ZipFilePath);

    // Creating zipinputstream for using fileinputstream
    java.util.zip.ZipInputStream zis = new java.util.zip.ZipInputStream(new java.io.BufferedInputStream(fis));
    java.util.zip.ZipEntry entry;
    while ((entry = zis.getNextEntry()) != null)
    {
        int count;
        byte data[] = new byte[BUFFER];
        java.io.File f = new java.io.File(ZipExtractDir + "/" + entry.getName());

        // write the files to the directory created above
        java.io.FileOutputStream fos = new java.io.FileOutputStream(ZipExtractDir + "/" + entry.getName());
        dest = new java.io.BufferedOutputStream(fos, BUFFER);
        while ((count = zis.read(data, 0, BUFFER)) != -1)
        {
            dest.write(data, 0, count);
        }
        dest.flush();
        dest.close();
    }
    zis.close();
    zis.closeEntry();
}
catch (Exception Ex)
{
    System.Out.Println("Exception in \"ExtractZIPFiles\"---- " + Ex.getMessage());
}
4

2 回答 2

3

我无法理解您遇到的问题,但这是我用来解压缩档案的方法:

public static void unzip(File zip, File extractTo) throws IOException {
    ZipFile archive = new ZipFile(zip);
    Enumeration<? extends ZipEntry> e = archive.entries();
    while (e.hasMoreElements()) {
        ZipEntry entry = e.nextElement();
        File file = new File(extractTo, entry.getName());
        if (entry.isDirectory()) {
            file.mkdirs();
        } else {
            if (!file.getParentFile().exists()) {
                file.getParentFile().mkdirs();
            }
            InputStream in = archive.getInputStream(entry);
            BufferedOutputStream out = new BufferedOutputStream(new FileOutputStream(file));
            IOUtils.copy(in, out);
            in.close();
            out.close();
        }
    }
}

来电:

File zip = new File("/path/to/my/file.zip");
File extractTo = new File("/path/to/my/destination/folder");
unzip(zip, extractTo);

上面的代码我从来没有遇到过任何问题,所以我希望这可以帮助你。

于 2012-12-19T09:55:39.357 回答
2

在我的脑海中,我可以想到以下原因:

  1. 文本文件的编码可能存在问题。
  2. 该文件需要以“二进制”模式读取/传输。
  3. 行尾可能存在问题\n\r\n
  4. 该文件可能只是损坏了。尝试使用 zip 实用程序打开文件。
于 2012-12-19T10:17:05.243 回答