我正在尝试使用Robert Sedgwick在他的算法4E教科书中提供的BinaryStdOut.java类。这个类的代码可以在他的网站上免费获得,但为了便于参考,我将在此处显示相关的片段。
在上面提到的类中,BufferedOutputStream声明如下
private static BufferedOutputStream out = new BufferedOutputStream(System.out);
如果我的理解是正确的,这应该允许out.write()
基本上打印到标准,就像我使用System.out.print()
一样。
为了测试这个,我构建了一个程序,其主要功能如下
public static void main(String[] args) {
BinaryStdOut.write(1);
}
这会将整数1传递给BinaryStdOut的write()
方法,如下所示
public static void write(int x) {
writeByte((x >>> 24) & 0xff);
writeByte((x >>> 16) & 0xff);
writeByte((x >>> 8) & 0xff);
writeByte((x >>> 0) & 0xff);
}
writeByte()
代码为:
private static void writeByte(int x) {
assert x >= 0 && x < 256;
// optimized if byte-aligned
if (N == 0) {
try { out.write(x); }
catch (IOException e) { e.printStackTrace(); }
return;
}
// otherwise write one bit at a time
for (int i = 0; i < 8; i++) {
boolean bit = ((x >>> (8 - i - 1)) & 1) == 1;
writeBit(bit);
}
}
现在我的问题是测试代码似乎没有做任何事情。它编译并成功运行,但是如果我使用相同的整数执行System.out.print()
,我的终端中就不会打印任何内容。
为了查看问题是否与BinaryStdOut类有关,我将BufferedOutputStream声明直接复制到我的主程序中,然后尝试直接写入该流,结果相同。
使用BufferedOutputStream.write()
时,我是否遗漏了某些内容?
编辑:我的测试程序的主要功能目前如下:
public static void main(String[] args) {
// TODO Auto-generated method stub
BufferedOutputStream out = new BufferedOutputStream(System.out);
try {out.write(16);
out.flush();
out.close();}
catch(IOException e){
System.out.println("error");
}
}
答案 0 :(得分:1)
写入后需要刷新缓冲区:
// optimized if byte-aligned
if (N == 0) {
try {
out.write(x);
out.flush();
}
catch (IOException e) { e.printStackTrace(); }
return;
}
您的测试程序似乎没有打印任何内容的原因是因为您正在打印DLE,这是一个控制字符,并且不会显示在stdout中。
答案 1 :(得分:0)
这为我打印hello world,你选择了一些没有可显示字形的字节吗?你可能不应该那样关闭System.out
(在BuffedOutputStream上调用close会关闭它并释放与流关联的所有系统资源)。
public static void main(String[] args) {
BufferedOutputStream out = new BufferedOutputStream(
System.out);
String msg = "Hello, World!";
try {
for (char c : msg.toCharArray()) {
out.write(c);
}
out.flush();
} catch (IOException e) {
System.out.println("error");
}
}
答案 2 :(得分:0)
是的,您需要flush
以及flush
所需的原因是因为Buffered
使用了外流:
<强>的BufferedOutputStream:强>
public BufferedOutputStream(OutputStream out) {
this(out, 8192);//default buffer size
}
public synchronized void write(int b) throws IOException {
if (count >= buf.length) {
flushBuffer();
}
buf[count++] = (byte)b;
}
因此,在缓冲区充满8KB数据之前,内容将保持缓冲状态,而不会流入控制台。
在write(16)
上,你应该在控制台(至少是Eclipse IDE)上看到print char,如果你打印1601 - 1626,你应该看到打印出A
- Z
个字符。