我可以通过ZipInputStream,但在开始迭代之前,我想获得迭代期间需要的特定文件.我怎样才能做到这一点?
ZipInputStream zin = new ZipInputStream(myInputStream) while ((entry = zin.getNextEntry()) != null) { println entry.getName() }
解决方法
如果您正在使用的myInputStream来自磁盘上的真实文件,那么您只需使用java.util.zip.ZipFile,它由RandomAccessFile支持,并提供按名称直接访问zip条目.但是,如果您拥有的只是一个InputStream(例如,如果您在从网络套接字或类似设备接收时直接处理流),那么您将不得不进行自己的缓冲.
您可以在流复制到一个临时文件,然后使用的ZipFile打开该文件,或者如果你知道数据提前最大尺寸(例如,对于声明的内容长度前面一个HTTP请求),你可以使用的BufferedInputStream来将其缓冲在内存中,直到找到所需的条目.
BufferedInputStream bufIn = new BufferedInputStream(myInputStream); bufIn.mark(contentLength); ZipInputStream zipIn = new ZipInputStream(bufIn); boolean foundSpecial = false; while ((entry = zin.getNextEntry()) != null) { if("special.txt".equals(entry.getName())) { // do whatever you need with the special entry foundSpecial = true; break; } } if(foundSpecial) { // rewind bufIn.reset(); zipIn = new ZipInputStream(bufIn); // .... }
(我自己没有测试过这段代码,你可能会发现有必要在bufIn和第一个zipIn之间使用类似于commons-io的CloseShieldInputStream,以允许第一个zip流关闭而不关闭底层的bufIn重绕它).