2

我正在尝试从 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 文件。

4

2 回答 2

3

它在哪里说InputStream.read(),或者它的任何实现或覆盖,填充缓冲区?检查Javadoc。实际上是read()返回 -1 指示 EOS 或将至少一个字节读入缓冲区。你必须循环。

于 2012-11-01T23:02:29.660 回答
2

如前所述,您需要使用循环。我必须解决这个确切的问题,所以我想我会发布一个例子。

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);
    }
}
于 2018-02-22T21:54:46.390 回答