No.21 打印输出流

简介:

java.io 提供了两个打印流,PrintStream/PrintWriter他们都属于输出流。
PrintStream继承与OutputStream,PirntWriter直接继承与字符流基类Writer。但是两者都可以接受字节流/字符流作为构造函数的参数。

作用:

他们都非常方便的使用于输出流中,直接使用println();来输出任意类型的数据。

不同:

转:
(1)PrintStream是OutputStream的子类,PrintWriter是Writer的子类,两者处于对等的位置上,所以它们的API是非常相似的。
(2)PrintWriter实现了PritnStream的所有print方法。
(3)对于PrintStream,所有println方法都在内部调用相应的print方法,比如println(char x)的方法体就是调用print(x);再写入一个平台相关的换行符。
(4)PrintStream构建时会在内部new一个BufferedWriter,所有print方法都在内部调用这个Writer的write方法(write(String)或write(char[]))——对于print(char[]),直接调用write(char[]);对于其他的print方法,先用String.valueOf获得参数的字符串表示,然后调用write(String)。
(5) PrintWriter,所有println方法也都在内部调用print方法,print方法调用write方法。传入OutputStream时,PrintWriter会在内部构造一个BufferedWriter;而传入Writer时,PrintStream内部直接使用该Writer,此时PrintWriter是否进行了缓冲全看该Writer。
所以,对于使用print系列方法的场合,二者没什么区别。
(6)但是,PrintStream是字节流,它有处理byte的方法,write(int)和write(byte[],int,int);PrintWriter是字符流,它没有处理raw byte的方法。
(7)PrintStream和PrintWriter的auto flushing机制有点不同,前者在输出byte数组、调用println方法、输出换行符或者byte值10(即\n)时自动调用flush方法,后者仅在调用println方法时发生auto flushing。

示例:

(1)PrintStream实例:

public static void main(String[] args) {

    try {  
        //构建一个字节输出流  
       OutputStream os=new FileOutputStream("d:\\test.txt");  
       //构建缓冲流  
       BufferedOutputStream bos=new BufferedOutputStream(os);  
       //构建字节打印流  
       PrintStream ps=new PrintStream(bos);  
       //数据输出  
       //println会换行输出,print不会换行  
       ps.println(false);//写入boolean型  
       ps.println("好好学习,天天向上");//写入字符串  
       ps.println(3.1415926);//写入double类型  
         
       ps.println(new Person("小明", 20));//写入person类型  
       //关闭流  
       ps.close();  
       bos.close();  
       os.close();  
   } catch (FileNotFoundException e) {  
       e.printStackTrace();  
   } catch (IOException e) {  
       e.printStackTrace();  
   }  
}

输出结果:

false
好好学习,天天向上
3.1415926
person [name=小明, age=20]

(2)PrintWriter示例:

 public static void main(String[] args) {  
    
     try {  
         //构建一个字符输出流  
        Writer os=new FileWriter("L:\\test.txt");  
        //构建缓冲流  
        BufferedWriter bos=new BufferedWriter(os);  
        //构建字符打印流  
        PrintWriter ps=new PrintWriter(bos);  
        //println会换行输出,print不会换行  
        ps.println(false);//写入boolean型  
        ps.println("好好学习,天天向上");//写入字符串  
        ps.println(3);//写入int类型  
          
        ps.println(new person("小明明", 20));//写入person类型  
        //关闭流  
        ps.close();  
        bos.close();  
        os.close();  
          
    } catch (FileNotFoundException e) {  
        e.printStackTrace();  
    } catch (IOException e) {  
        e.printStackTrace();  
    }  
 
}    

输出结果:

false
好好学习,天天向上
3.1415926
person [name=小明, age=20]

你可能感兴趣的:(No.21 打印输出流)