Java.io.OutputStream.write() 方法



描述

java.io.OutputStream.write(byte[] b, int off, int len) 方法将从指定字节数组中从偏移量 off 开始的 len 个字节写入此输出流。write(b, off, len) 的通用约定是,数组 b 中的一些字节将按顺序写入输出流;元素 b[off] 是写入的第一个字节,而 b[off+len-1] 是此操作写入的最后一个字节。

OutputStream 的 write 方法对要写出的每个字节调用一个参数的 write 方法。鼓励子类覆盖此方法并提供更有效的实现。

如果 b 为 null,则抛出 NullPointerException。如果 off 为负数,或 len 为负数,或 off+len 大于数组 b 的长度,则抛出 IndexOutOfBoundsException。

声明

以下是 java.io.OutputStream.write() 方法的声明。

public void write(byte[] b, int off, int len)

参数

  • b - 数据。

  • off - 数据中的起始偏移量。

  • len - 要写入的字节数。

返回值

此方法不返回值。

异常

IOException - 如果发生 I/O 错误。特别是,如果输出流已关闭,则会抛出 IOException。

示例

以下示例显示了 java.io.OutputStream.write() 方法的使用。

package com.tutorialspoint;

import java.io.*;

public class OutputStreamDemo {
   public static void main(String[] args) {
      byte[] b = {'h', 'e', 'l', 'l', 'o'};
      
      try {
         // create a new output stream
         OutputStream os = new FileOutputStream("test.txt");

         // craete a new input stream
         InputStream is = new FileInputStream("test.txt");

         // write something
         os.write(b, 0, 3);

         // read what we wrote
         for (int i = 0; i < 3; i++) {
            System.out.print("" + (char) is.read());
         }
      } catch (Exception ex) {
         ex.printStackTrace();
      }
   }
}

让我们编译并运行以上程序,这将产生以下结果:

hel
java_io_outputstream.htm
广告