java.util.zip.ZipException: 打开 zip 文件时出错

2022-08-31 11:34:44

我有一个 Jar 文件,其中包含其他嵌套 Jar。当我在此文件上调用新构造函数时,我得到一个异常,它说:JarFile()

java.util.zip.ZipException: 打开 zip 文件时出错

当我手动解压缩此Jar文件的内容并再次压缩时,它工作正常。

我只在WebSphere 6.1.0.7及更高版本上看到这个例外。同样的事情在tomcat和WebLogic上工作得很好。

当我使用JarInputStream而不是JarFile时,我能够毫无例外地读取Jar文件的内容。


答案 1

确保您的 jar 文件未损坏。如果它已损坏或无法解压缩,则会发生此错误。


答案 2

我遇到了同样的问题。我有一个zip存档,java.util.zip.ZipFile无法处理,但WinRar将其解压缩得很好。我在SDN上找到了关于Java中压缩和解压缩选项的文章。我稍微修改了一个示例代码,以生成最终能够处理存档的方法。诀窍在于使用ZipInputStream而不是ZipFile,并按顺序读取zip存档。此方法还能够处理空的zip存档。我相信您可以调整方法以满足您的需求,因为所有zip类都具有等效的子类,用于.jar存档。

public void unzipFileIntoDirectory(File archive, File destinationDir) 
    throws Exception {
    final int BUFFER_SIZE = 1024;
    BufferedOutputStream dest = null;
    FileInputStream fis = new FileInputStream(archive);
    ZipInputStream zis = new ZipInputStream(new BufferedInputStream(fis));
    ZipEntry entry;
    File destFile;
    while ((entry = zis.getNextEntry()) != null) {
        destFile = FilesystemUtils.combineFileNames(destinationDir, entry.getName());
        if (entry.isDirectory()) {
            destFile.mkdirs();
            continue;
        } else {
            int count;
            byte data[] = new byte[BUFFER_SIZE];
            destFile.getParentFile().mkdirs();
            FileOutputStream fos = new FileOutputStream(destFile);
            dest = new BufferedOutputStream(fos, BUFFER_SIZE);
            while ((count = zis.read(data, 0, BUFFER_SIZE)) != -1) {
                dest.write(data, 0, count);
            }
            dest.flush();
            dest.close();
            fos.close();
        }
    }
    zis.close();
    fis.close();
}

推荐