我遇到了同样的问题。我有一个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();
}