И просто для того, чтобы дать вам представление о том, как создать свою собственную потоковую оболочку, вот фрагмент кода.
import java.io.FilterInputStream;
import java.io.IOException;
import java.io.InputStream;
public class BitInputStream extends FilterInputStream {
private int bitsBuffer = -1;
private int remainingBits = 0;
public BitInputStream(InputStream in) {
super(in);
}
@Override
public int read() throws IOException {
if (remainingBits == 0) {
bitsBuffer = in.read();
remainingBits = Byte.SIZE;
}
if (bitsBuffer == -1) {
return -1;
}
remainingBits--;
return (bitsBuffer >> remainingBits) & 1;
}
}
Как видите, метод read () переопределяется и возвращает 0 или 1, если бит доступен, или -1, если достигнут конец нижележащего потока.
import org.junit.Test;
import java.io.ByteArrayInputStream;
import static org.junit.Assert.assertEquals;
public class BitInputStreamTest {
@Test
public void read() throws Exception {
// 99 in two's complement binary form is 01100011
BitInputStream in = new BitInputStream(
new ByteArrayInputStream(new byte[]{99}));
assertEquals(0, in.read());
assertEquals(1, in.read());
assertEquals(1, in.read());
assertEquals(0, in.read());
assertEquals(0, in.read());
assertEquals(0, in.read());
assertEquals(1, in.read());
assertEquals(1, in.read());
assertEquals(-1, in.read());
}
}