Посмотрите на источник PrintStream.
Он имеет две ссылки на базовый Writer textOut
и charOut
, одну символьную базу и одну текстовую (что бы это ни значило). Кроме того, он наследует третью ссылку на байтовый OutputStream, который называется out
.
/**
* Track both the text- and character-output streams, so that their buffers
* can be flushed without flushing the entire stream.
*/
private BufferedWriter textOut;
private OutputStreamWriter charOut;
В методе close()
он закрывает их все (textOut
в основном совпадает с charOut
).
private boolean closing = false; /* To avoid recursive closing */
/**
* Close the stream. This is done by flushing the stream and then closing
* the underlying output stream.
*
* @see java.io.OutputStream#close()
*/
public void close() {
synchronized (this) {
if (! closing) {
closing = true;
try {
textOut.close();
out.close();
}
catch (IOException x) {
trouble = true;
}
textOut = null;
charOut = null;
out = null;
}
}
}
Теперь интересная часть состоит в том, что charOut содержит (обернутый) ссылку на сам PrintStream (обратите внимание на init(new OutputStreamWriter(this))
в конструкторе)
private void init(OutputStreamWriter osw) {
this.charOut = osw;
this.textOut = new BufferedWriter(osw);
}
/**
* Create a new print stream.
*
* @param out The output stream to which values and objects will be
* printed
* @param autoFlush A boolean; if true, the output buffer will be flushed
* whenever a byte array is written, one of the
* <code>println</code> methods is invoked, or a newline
* character or byte (<code>'\n'</code>) is written
*
* @see java.io.PrintWriter#PrintWriter(java.io.OutputStream, boolean)
*/
public PrintStream(OutputStream out, boolean autoFlush) {
this(autoFlush, out);
init(new OutputStreamWriter(this));
}
Итак, вызов close()
вызовет charOut.close()
, что, в свою очередь, снова вызывает исходный close()
, поэтому у нас есть закрывающий флаг, чтобы прервать бесконечную рекурсию.