我有一个包含两个文件的zip文件,一个md5sum和一个3.5GB .img文件,这些文件由我的应用程序以zip文件的形式下载,然后需要在设备上解压缩。 目前我正在使用下面的内部类,它被测试用于更小的zip文件:
private class UnZip extends AsyncTask<Void, Integer, Integer> {
private String _zipFile;
private String _location;
private int per = 0;
public UnZip(String zipFile, String location) {
_zipFile = zipFile;
_location = location;
_dirChecker("");
}
protected Integer doInBackground(Void... params) {
try {
ZipFile zip = new ZipFile(_zipFile);
bar.setMax(zip.size());
FileInputStream fin = new FileInputStream(_zipFile);
ZipInputStream zin = new ZipInputStream(fin);
ZipEntry ze = null;
while ((ze = zin.getNextEntry()) != null) {
Log.v("Decompress", "Unzipping " + ze.getName());
if(ze.isDirectory()) {
_dirChecker(ze.getName());
} else {
// Here I am doing the update of my progress bar
Log.v("Decompress", "more " + ze.getName());
per++;
publishProgress(per);
FileOutputStream fout = new FileOutputStream(_location +ze.getName());
for (int c = zin.read(); c != -1; c = zin.read()) {
fout.write(c);
}
zin.closeEntry();
fout.close();
}
}
zin.close();
} catch(Exception e) {
Log.e("Decompress", "unzip", e);
}
return null;
}
protected void onProgressUpdate(Integer... progress) {
bar.setProgress(per); //Since it's an inner class, Bar should be able to be called directly
}
protected void onPostExecute(Integer... result) {
Log.i("UnZip" ,"Completed. Total size: "+result);
}
private void _dirChecker(String dir) {
File f = new File(_location + dir);
if(!f.isDirectory()) {
f.mkdirs();
}
}
}
这很好用,并且在每个文件解压缩时显示进度条,但是这对于大文件(我的Nexus 4每小时大约20MB)来说需要花费很长时间。 我想看看有没有更好的方法来解压这么大的文件? (.img文件实际上只有大约1GB的数据,其余的只是尾随零,以便以后可以留出更多数据)
或者也许是一种方法来查看进度而不是每个文件但实际上每MB数据,或写入速度等?从长远来看,为用户提供有关解压缩方式的更多信息将非常有用。
答案 0 :(得分:3)
在某处添加以下内容:
public static void streamCopy(InputStream in, OutputStream out) throws IOException {
byte[] buffer = new byte[32 * 1024]; // play with sizes..
int readCount;
while ((readCount = in.read(buffer)) != -1) {
out.write(buffer, 0, readCount);
}
}
将输入流复制到输出流并在几个库中找到它是一个普遍有用的标准代码。
然后在代码中使用
} else {
// Here I am doing the update of my progress bar
Log.v("Decompress", "more " + ze.getName());
per++;
publishProgress(per);
FileOutputStream fout = new FileOutputStream(_location + ze.getName());
streamCopy(zin, fout);
zin.closeEntry();
fout.close();
}
优点是你可以用更大的块来读写,而不是单个字节,这会大大加快这个过程。