我注意到我的某些gzip解码代码似乎无法检测到损坏的数据。我认为我已将问题追溯到Java GZipInputStream类。特别是,当您通过单个“读取”调用读取整个流时,损坏的数据不会触发IOException。如果您在2次或更多次调用中读取同一损坏的数据流,则它将触发异常。
在考虑提交错误报告之前,我想看看这里的社区的想法。
编辑:我修改了我的示例,因为最后一个示例没有清楚地说明我认为的问题。在这个新示例中,将10字节的缓冲区压缩,然后将已压缩的缓冲区的一个字节修改,然后将其取消压缩。调用“GZipInputStream.read”将返回10作为读取的字节数,这是您期望的10字节缓冲区。但是,解压缩后的缓冲区与原始缓冲区不同(由于损坏)。没有异常被抛出。我确实注意到,读取后调用“available”将返回“1”而不是“0”(如果已达到EOF,则将返回“0”)。
来源如下:
@Test public void gzip() {
try {
int length = 10;
byte[] bytes = new byte[]{12, 19, 111, 14, -76, 34, 60, -43, -91, 101};
System.out.println(Arrays.toString(bytes));
//Gzip the byte array
ByteArrayOutputStream baos = new ByteArrayOutputStream();
GZIPOutputStream gos = new GZIPOutputStream(baos);
gos.write(bytes);
gos.finish();
byte[] zipped = baos.toByteArray();
//Alter one byte of the gzipped array.
//This should be detected by gzip crc-32 checksum
zipped[15] = (byte)(0);
//Unzip the modified array
ByteArrayInputStream bais = new ByteArrayInputStream(zipped);
GZIPInputStream gis = new GZIPInputStream(bais);
byte[] unzipped = new byte[length];
int numRead = gis.read(unzipped);
System.out.println("NumRead: " + numRead);
System.out.println("Available: " + gis.available());
//The unzipped array is now [12, 19, 111, 14, -80, 0, 0, 0, 10, -118].
//No IOException was thrown.
System.out.println(Arrays.toString(unzipped));
//Assert that the input and unzipped arrays are equal (they aren't)
org.junit.Assert.assertArrayEquals(unzipped, bytes);
} catch (IOException e) {
e.printStackTrace();
}
}
最佳答案
决定运行测试:
你错过了什么。gis.read(unzipped)
返回1,因此它仅读取一个字节。您不能提示,这不是流的尽头。
下一个read()
引发“Corrupt GZIP预告片”。
因此,一切都很好! (并且至少在GZIPInputStream中没有错误)