我正在使用 AsyncTask 解压缩文件,一切似乎都进行得很顺利(ZIP 存档中的所有文件都已提取),但我的解压缩方法从未完成。
这是我的解压缩类的源代码:
public class MyUnzipper {
public static boolean unzipFileIntoDirectory(String inputFilename, String outputPath) throws Exception {
ZipInputStream zis = null;
BufferedOutputStream dest = null;
try {
File archive = new File(inputFilename);
File destinationDir = new File(outputPath);
final int BUFFER_SIZE = 1024;
zis = new ZipInputStream(new BufferedInputStream(new FileInputStream(archive), BUFFER_SIZE));
ZipEntry entry = null;
File destFile;
while( (entry = zis.getNextEntry()) != null ){
destFile = new File(destinationDir, entry.getName());
if( entry.isDirectory() ){
destFile.mkdirs();
}
else {
// check for and create parent directories if they don't exist
File parentDir = destFile.getParentFile();
if ( null != parentDir ) {
if ( !parentDir.isDirectory() ) {
parentDir.mkdirs();
}
}
int count;
byte data[] = new byte[BUFFER_SIZE];
dest = new BufferedOutputStream(new FileOutputStream(destFile), BUFFER_SIZE);
Log.i("MyUnzipper", "Beginning unzip of " + destFile);
while( (count = zis.read(data, 0, BUFFER_SIZE)) != -1 ){
dest.write(data, 0, count);
Log.v("MyUnzipper", "Count = " + count);
}
dest.flush();
dest.close();
dest = null;
}
zis.closeEntry();
Log.wtf("MyUnzipper", "Unzipped entry " + entry.getName());
}
Log.wtf("MyUnzipper", "Unzip done");
}
catch(Exception e){
Log.wtf("MyUnzipper", "Unzip error");
e.printStackTrace();
return false;
}
finally {
if( null != zis )
zis.close();
if( null != dest )
dest.close();
}
return true;
}
}
当我逐行调试它时,它运行良好,直到它解压缩所有文件,然后它到达zis.closeEntry()
,并且调试器只是“消失”,即下一行 ( Log.wtf(...)
) 永远不会执行。我的 AsyncTask 从未完成,就好像我陷入了无限循环?!但是查看来源ZipInputStream.closeEntry()
似乎没有任何循环或任何可疑之处?
我也尝试使用ZipFile
而不是提取 ZIP 存档ZipInputStream
,但随后出现以下错误:
java.util.zip.ZipException: End Of Central Directory signature not found
ZIP 文件没有任何问题,我已经zip -v -T
在 Mac OSx 上对其进行了测试。我还尝试使用 ZIP 版本 3.0 和 2.1(原始版本为 2.0)重新压缩它。我可以在 Mac OSx 上解压缩所有版本而没有任何问题(使用 Unarchiver and Archive Utility)。
这让我发疯了,有什么可能是错的?
更新(已解决)
原来是一个非常愚蠢的问题,与解压缩无关。
我在解压缩之前从服务器下载 ZIP 文件,显然我忘记close()
在开始解压缩操作之前调用下载操作的输出流。
也许这个线程可以帮助其他犯同样愚蠢错误的人。