我试图从ZIP存档中读取XML文件。相关代码如下:
ZipInputStream zis = new ZipInputStream(is);
ZipEntry entry = zis.getNextEntry();
while(entry != null) {
if(entry.getName().equals("plugin.xml")) {
int size = (int)entry.getSize();
byte[] bytes = new byte[size];
int read = zis.read(bytes, 0, size);
System.out.println("File size: " + size);
System.out.println("Bytes read: " + read);
}
}
这在工作时产生如下输出:
File size: 5224
Bytes read: 5224
正在读取的plugin.xml
文件并不特别,并且传递了我可以找到的任何XML验证,但是,对XML文件进行了少量更改(删除字符,添加字符等)有时导致"字节读取"来自输入流的小于文件大小。在这种情况下,我更改了与上面相同的文件的XML属性的文本值,并得到以下结果:
File size: 5218
Bytes read: 5205 // the reader stopped early!
我看不出任何模式,哪些XML文件可以工作,哪些不会。这似乎是完全随机的。
之前有没有人遇到这样的事情?
编辑:忘记提及,读入plugin.xml
文件的Java代码嵌入在我无法更改的现成应用程序中。我的问题是试图理解为什么它在某些情况下不接受我的XML文件。
答案 0 :(得分:3)
它在哪里说InputStream.read()
或其任何实现或覆盖填充缓冲区?检查Javadoc。实际上说的是read()
返回-1表示EOS或者至少将一个字节读入缓冲区。你必须循环。
答案 1 :(得分:1)
如前所述,您需要使用循环。我必须解决这个问题,所以我想我会发一个例子。
ZipInputStream zis = new ZipInputStream(is);
ZipEntry entry = zis.getNextEntry();
while(entry != null) {
if(entry.getName().equals("plugin.xml")) {
int size = (int)entry.getSize();
byte[] bytes = new byte[size];
int read = 0;
while (read < size) {
read += zis.read(bytes, read, (size - read));
}
System.out.println("File size: " + size);
System.out.println("Bytes read: " + read);
}
}