mirror of
https://github.com/corda/corda.git
synced 2025-01-09 14:33:30 +00:00
f0f35a920f
Note the following excerpt from PNGFileFormat.java in SWT: /* * InflaterInputStream does not consume all bytes in the stream * when it is closed. This may leave unread IDAT chunks. The fix * is to read all available bytes before closing it. */ while (stream.available() > 0) stream.read(); stream.close(); This code relies on the documented behavior of InflaterInputStream.available, which must return "0 after EOF has been reached, otherwise always return 1". This is unlike InputStream.available, which is documented to return "the number of bytes that can be read (or skipped over) from this input stream without blocking by the next caller of a method for this input stream", and says nothing about how many bytes are left until the end of stream. This commit modifies InflaterInputStream.available to behave according to Sun's documentation.
83 lines
1.7 KiB
Java
83 lines
1.7 KiB
Java
/* Copyright (c) 2008, Avian Contributors
|
|
|
|
Permission to use, copy, modify, and/or distribute this software
|
|
for any purpose with or without fee is hereby granted, provided
|
|
that the above copyright notice and this permission notice appear
|
|
in all copies.
|
|
|
|
There is NO WARRANTY for this software. See license.txt for
|
|
details. */
|
|
|
|
package java.io;
|
|
|
|
public class BufferedInputStream extends InputStream {
|
|
private final InputStream in;
|
|
private final byte[] buffer;
|
|
private int position;
|
|
private int limit;
|
|
|
|
public BufferedInputStream(InputStream in, int size) {
|
|
this.in = in;
|
|
this.buffer = new byte[size];
|
|
}
|
|
|
|
public BufferedInputStream(InputStream in) {
|
|
this(in, 4096);
|
|
}
|
|
|
|
private void fill() throws IOException {
|
|
position = 0;
|
|
limit = in.read(buffer);
|
|
}
|
|
|
|
public int read() throws IOException {
|
|
if (position >= limit) {
|
|
fill();
|
|
if (limit == -1) {
|
|
return -1;
|
|
}
|
|
}
|
|
|
|
return buffer[position++] & 0xFF;
|
|
}
|
|
|
|
public int read(byte[] b, int offset, int length) throws IOException {
|
|
int count = 0;
|
|
|
|
if (position < limit) {
|
|
int remaining = limit - position;
|
|
if (remaining > length) {
|
|
remaining = length;
|
|
}
|
|
|
|
System.arraycopy(buffer, position, b, offset, remaining);
|
|
|
|
count += remaining;
|
|
position += remaining;
|
|
offset += remaining;
|
|
length -= remaining;
|
|
}
|
|
|
|
if (length > 0) {
|
|
int c = in.read(b, offset, length);
|
|
if (c == -1) {
|
|
if (count == 0) {
|
|
count = -1;
|
|
}
|
|
} else {
|
|
count += c;
|
|
}
|
|
}
|
|
|
|
return count;
|
|
}
|
|
|
|
public int available() throws IOException {
|
|
return in.available() + (limit - position);
|
|
}
|
|
|
|
public void close() throws IOException {
|
|
in.close();
|
|
}
|
|
}
|