我正在创建一个程序,它将提取压缩文件,然后将文件插入数据库,每隔一段时间我得到错误
java.lang.Exception: java.io.EOFException: Unexpected end of ZLIB input stream
我无法确定原因,因为提取代码与您可以在网上找到的所有其他代码几乎相同。我的代码如下:
public void extract(String zipName, InputStream content) throws Exception {
int BUFFER = 2048;
//create the zipinputstream
ZipInputStream zis = new ZipInputStream(content);
//Get the name of the zip
String containerName = zipName;
//container for the zip entry
ZipEntry entry;
// Process each entry
while ((entry = zis.getNextEntry()) != null) {
//get the entry file name
String currentEntry = entry.getName();
try {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
// establish buffer for writing file
byte data[] = new byte[BUFFER];
int currentByte;
// read and write until last byte is encountered
while ((currentByte = zis.read(data, 0, BUFFER)) != -1) {
baos.write(data, 0, currentByte);
}
baos.flush(); //flush the buffer
//this method inserts the file into the database
insertZipEntry(baos.toByteArray());
baos.close();
}
catch (Exception e) {
System.out.println("ERROR WITHIN ZIP " + containerName);
}
}
}
这可能是由JVM错误(JVM-6519463)引起的
我以前在1000个随机创建的文档上有大约一个或两个错误,我应用了建议的解决方案(捕获EOFException并对此不做任何处理),并且我没有更多的错误。
我想说您偶尔会得到截断的Zip文件来处理。检查上游。
我有同样的异常,问题是在压缩方法(不是提取)。在写入输出流后,我没有使用zos.closeEntry()
关闭ZipOutputStream。没有这个,压缩工作得很好,但我在提取时遇到了一个异常。
public static byte[] zip(String outputFilename, byte[] output) {
try (ByteArrayOutputStream baos = new ByteArrayOutputStream();
ZipOutputStream zos = new ZipOutputStream(baos)) {
zos.putNextEntry(new ZipEntry(outputFilename));
zos.write(output, 0, output.length);
zos.closeEntry(); //this line must be here
return baos.toByteArray();
} catch (IOException e) {
//catch exception
}
}
永远不要尝试读取超过条目所包含的字节数。调用ZipEntry.getSize()获取条目的实际大小,然后使用该值在读取条目时跟踪条目中剩余的字节数。
try{
...
int bytesLeft = (int)entry.getSize();
while ( bytesLeft>0 && (currentByte=zis.read(data, 0, Math.min(BUFFER, bytesLeft))) != -1) {
...
}
...
}