java IO 篇之 BufferedOutputStream

OutputStream缓存方式写数据的包装器类,将多个字节写入缓存中,从缓存中写入输出流,减少IO访问次数

    public BufferedOutputStream(OutputStream out) {
	this(out, 8192);  /** 创建默认大小为8192的字节数组缓存 */
    }


    public synchronized void write(int b) throws IOException {
	if (count >= buf.length) {
	    flushBuffer(); /** 当写入缓存字节个数大于等于缓存数组长度时,写入输出流中*/
	}
	buf[count++] = (byte)b; /** 否则将字节写入缓存数组中 */
    }


一次性写入多个字节,如果字节长度大于缓冲区,自动flush到输出流中,否则需要手动调用flushBuffer方法,强制刷新数据到输出流中
public synchronized void write(byte b[], int off, int len) throws IOException {
	if (len >= buf.length) {
	    flushBuffer();
	    out.write(b, off, len);
	    return;
	}
	if (len > buf.length - count) {
	    flushBuffer();
	}
	System.arraycopy(b, off, buf, count, len);
	count += len;
    }


    private void flushBuffer() throws IOException {
        if (count > 0) {
	    out.write(buf, 0, count); /** 一次写入多个字节到输出流中,减少IO访问次数 */
	    count = 0;
        }
    }

你可能感兴趣的:(java IO 篇之 BufferedOutputStream)