缓存的新应用之一就是回推(pushback)的实现。回推用于输入流,以容许读取字节,而后再将它们返回(回推)到流中。PushbackInputStream类实现了这一思想,提供了一种机制,能够“偷窥”来自输入流的内容而不对它们进行破坏。java
PushbackInputStream类具备如下构造函数:缓存
PushbackInputStream(InputStream inputStream) PushbackInputStream(InputStream inputStream,int numBytes)
第一种形式建立的流对象容许将一个字节返回到输入流; 第二种形式建立的流对象具备一个长度为numBytes的回推缓存,从而容许将多个字节回推到输入流中。函数
除了熟悉的来自InputStream的方法外,PushbackInputStream类还提供了unread()方法,以下所示:测试
void unread(int b) void unread(byte[] buffer) void unread(byte[] buffer,int offset,int numBytes)
第一种形式回推b的低字节,这会使得后续的read()调用会把这个字节再次读取出来。第二种形式回推buffer中的字节。第三种形式回推buffer中从offset开始的numBytes个字节。当回推缓存已满时,若是试图回推字节,就会抛出IOException异常。spa
用几个示例测试一下:code
package io; import java.io.ByteArrayInputStream; import java.io.PushbackInputStream; public class PushbackInputStreamDemo1 { public static void main(String[] args) throws Exception { String s = "abcdefg"; /* * PushbackInputStream pbin = new PushbackInputStream(in) * 这个构造函数建立的对象一次只能回推一个字节 */ try (ByteArrayInputStream in = new ByteArrayInputStream(s.getBytes()); PushbackInputStream pbin = new PushbackInputStream(in)) { int n; while ((n = pbin.read()) != -1) { System.out.println((char) n); if('b' == n) pbin.unread('U'); } } } }
示例2:对象
package io; import java.io.ByteArrayInputStream; import java.io.PushbackInputStream; public class PushbackInputStreamDemo1 { public static void main(String[] args) throws Exception { String s = "abcdefg"; /* * PushbackInputStream pbin = new PushbackInputStream(in,3) * 这个构造函数建立的对象一次能够回推一个缓存 */ try (ByteArrayInputStream in = new ByteArrayInputStream(s.getBytes()); PushbackInputStream pbin = new PushbackInputStream(in, 3)) { int n; byte[] buffer = new byte[3]; while ((n = pbin.read(buffer)) != -1) { System.out.println(new String(buffer)); if(new String(buffer).equals("abc"))pbin.unread(new byte[]{'M','N','O'}); buffer = new byte[3]; } } } }
示例3:get
package io; import java.io.ByteArrayInputStream; import java.io.PushbackInputStream; public class PushbackInputStreamDemo1 { public static void main(String[] args) throws Exception { String s = "abcdefg"; /* * PushbackInputStream pbin = new PushbackInputStream(in,4) * 这个构造函数建立的对象一次能够回推一个缓存 */ try (ByteArrayInputStream in = new ByteArrayInputStream(s.getBytes()); PushbackInputStream pbin = new PushbackInputStream(in, 4)) { int n; byte[] buffer = new byte[4]; while ((n = pbin.read(buffer)) != -1) { System.out.println(new String(buffer)); //取回推缓存中的一部分数据 if(new String(buffer).equals("abcd"))pbin.unread(buffer,2,2); buffer = new byte[4]; } } } }
注:PushbackInputStream对象会使得InputStream对象(用于建立PushbackInputStream对象)的mark()或reset()方法无效。对于准备使用mark()或reset()方法的任何流来讲,都应当使用markSupported()方法进行检查。
input