将 PrintWriter 与字节流一起使用

Use of PrintWriter with streams of bytes

我正在测试可以处理字符流和字节流的 PrintWriter class。当我尝试使用字符流时,一切都很顺利,现在我正在使用字节流对其进行测试,每当我打印它读取的内容时,它总是显示 null(异常)。这是代码:

package com.files.ex1;

import java.io.FileOutputStream;
import java.io.IOException;
import java.io.ObjectOutputStream;
import java.io.PrintWriter;

public class ex1 {
    public static void main(String[] args) {
        PrintWriter oPW;
        try {
            oPW = new PrintWriter(new ObjectOutputStream(new FileOutputStream("data.txt")));
            oPW.write("1\n");
            oPW.write("2\n");
            oPW.write("3\n");
            oPW.flush();
            oPW.close();
        } catch (IOException e) {
            System.out.println(e.getMessage());
        }
    }
}

这是尝试读取并始终打印 null 的 class:

package com.files.ex1;

import java.io.FileInputStream;
import java.io.IOException;
import java.io.ObjectInputStream;

public class ex1_2 {
    public static void main(String[] args) {
        ObjectInputStream oOIS;
        try {
            oOIS = new ObjectInputStream(new FileInputStream("data.txt"));
            String s = (String) oOIS.readObject();
            System.out.println(s);
        } catch (IOException e) {
            System.out.println(e.getMessage());
        } catch (ClassNotFoundException e) {
            System.out.println(e.getMessage());
        }
    }    
}

还有使用这个class有什么好处?对于字符流,我可以只使用 BuffedReadearBufferedWriter 分别优化读取或写入,它也有 flush() 方法。 对字节流使用 PrintWriter 有什么好处?当我尝试执行上述操作时,单独使用 ObjectOutputStream 有效。

您得到 null 的原因是因为您在 ObjectInputString 上使用 readObject,但您没有序列化任何 Java 对象。 ObjectInputString.readObjectObjectOutputString.writeObject 一起使用。

PrintWriter docs 明确指出

It does not contain methods for writing raw bytes, for which a program should use unencoded byte streams.

您应该只对文本使用 PrintWriter。它公开了您可能熟悉的有用方法,因为 System.out 具有打印接口。

只有在写入和读取序列化的 Java 对象时才真正使用 ObjectOutput/InputStream。序列化格式是 binary 数据(与 JSON/XML 不同)。这些对象必须实现 Serializable 接口。

您可以分别使用 BufferedOutputStream 和 BufferedInputStream 来提高写入和读取未编码字节流的性能。

一般来说,后缀"Reader"和后缀"Writer"的类用于文本编码流。它们包含用于解析文本流中的字符串和行的有用方法。它们绝不能用于传输二进制数据。

在您的示例中,您只是将文本数据写入文件并读回该文本数据,因此请使用:

oPW = new PrintWriter(new FileOutputStream("data.txt"));
oPW.println("1");

写作和

oOIS = new BufferedReader(new FileInputStream("data.txt"));
String s = oOIS.readLine(); // "1"

供阅读。

如果您读写二进制数据,您会这样做:

os = new FileOutputStream("data.bin");
os.write(new byte[]{ 1, 2, 3 });

并阅读:

is = new FileInputStream("data.bin");
byte[] buf = new byte[3];
is.read(buf); // buf now equals {1, 2, 3}

如果你读写Java对象,你会这样做:

oos = new ObjectOutputStream(new FileOutputStream("data.bin"));
Foo foo = new Foo(...);
oos.writeObject(foo);

并阅读:

ois = new ObjectInputStream(new FileInputStream("data.bin"));
Foo foo = (Foo) ois.readObject();