0

我在这里有点困惑。

我想做这样的事情:

  1. 创建某种我可以写入的缓冲区
  2. 清除缓冲区
  3. 根据一些我只想做一次的复杂计算,多次使用类似 printf() 的函数将一堆东西附加到缓冲区中
  4. 使用缓冲区的内容并将其打印到多个PrintStream对象
  5. 根据需要重复步骤 2-4

例如:

SuperBuffer sb = new SuperBuffer();
  /* SuperBuffer is not a real class, so I don't know what to use here */
PrintStream[] streams = new PrintStream[N];
/* ... initialize this array to several streams ... */

while (!done)
{
    sb.clear();
    sb.printf("something %d something %d something %d", 
        value1, value2, value3);
    if (some_complicated_condition())
        sb.printf("something else %d something else %d", value4, value5);
    /* ... more printfs to sb ... */
    for (PrintStream ps : streams)
        ps.println(sb.getBuffer());
}

看起来像在StringWriter周围包装PrintWriter会为上面的对象做我想要的,除了没有方法。我想我可以每次通过循环创建一个新的 PrintWriter 和 StringWriter 对象,但这似乎很痛苦。(在我的真实代码中,我在多个地方执行此操作,而不仅仅是一次循环......)sbclear()

我也经常使用java.nio.CharBuffer其他 NIO 缓冲区,这似乎是一种很有前途的方法,但我不确定如何将它们包装成一个可以为我提供printf()功能的对象。

有什么建议吗?

4

3 回答 3

3

啊:我想我明白了。该类Formatter有一个类似于 的format()方法printf(),并且可以构造它以包装任何类型的实现Appendable. CharBufferimplements Appendable,我可以根据需要clear()读出或读出其中的内容CharBuffer

于 2009-01-02T15:23:39.470 回答
1

为什么在循环中创建新缓冲区很痛苦?这就是垃圾收集器的用途。无论如何,都需要在 clear() 中进行新的分配。

如果你真的想实现你的 SuperBuffer,那一点也不难。只需使用 clear() 函数创建 OutputStream 的子类,然后将 PrintStream 包装在其周围。如果需要,您可以在超级缓冲区中使用 CharBuffer。

于 2009-01-02T15:23:40.420 回答
0

考虑创建一个 OutputStream(或 Writer)的子类 TeeOutputStream,它保存您的流数组并委托给它们。然后用 PrintStream(或 PrintWriter)包装您的流,然后在其上调用 printf()。不需要临时缓冲区或任何东西:

PrintStream[] streams = new PrintStream[N]; // any output streams really
PrintStream ps = new PrintStream(new TeeOutputStream(streams));

while (!done)
{
    ps.printf("something %d something %d something %d",
              value1, value2, value3);    
    if (some_complicated_condition())
        ps.printf("something else %d something else %d", value4, value5);
    ps.println();
}
于 2009-01-03T01:46:13.520 回答