原文: https://www.programiz.com/java-programming/bufferedwriter
java.io
包的BufferedWriter
类可与其他写入器一起使用,以更有效地写入数据(以字符为单位)。
它扩展了抽象类Writer
。
BufferedWriter
维护内部缓冲区,该缓冲区为 8192 个字符。
在写操作期间,字符将被写入内部缓冲区而不是磁盘。 一旦缓冲区被填充或写入器被关闭,缓冲区中的所有字符将被写入磁盘。
因此,减少了与磁盘的通信次数。 这就是使用BufferedWriter
可以更快地写入字符的原因。
为了创建一个BufferedWriter
,我们必须首先导入java.io.BufferedWriter
包。 导入包后,就可以创建缓冲的写入器了。
// Creates a FileWriter
FileWriter file = new FileWriter(String name);
// Creates a BufferedWriter
BufferedWriter buffer = new BufferedWriter(file);
在上面的示例中,我们使用名为file
的文件创建了名为buffer
的BufferedWriter
。
此处,BufferedWriter
的内部缓冲区的默认大小为 8192 个字符。 但是,我们也可以指定内部缓冲区的大小。
// Creates a BufferedWriter with specified size internal buffer
BufferedWriter buffer = new BufferedWriter(file, int size);
缓冲区将有助于更有效地将字符写入文件。
BufferedWriter
类提供了Writer
中存在的不同方法的实现。
write()
- 将单个字符写入写入器的内部缓冲区write(char[] array)
- 将指定数组中的字符写入写入器write(String data)
- 将指定的字符串写入写入器
import java.io.FileWriter;
import java.io.BufferedWriter;
public class Main {
public static void main(String args[]) {
String data = "This is the data in the output file";
try {
// Creates a FileWriter
FileWriter file = new FileWriter("output.txt");
// Creates a BufferedWriter
BufferedWriter output = new BufferedWriter(file);
// Writes the string to the file
output.write(data);
// Closes the writer
output.close();
}
catch (Exception e) {
e.getStackTrace();
}
}
}
在上面的示例中,我们创建了一个名为output
和FileWriter
的缓冲写入器。 缓冲的写入器与output.txt
文件链接。
FileWriter file = new FileWriter("output.txt");
BufferedWriter output = new BufferedWriter(file);
要将数据写入文件,我们使用了write()
方法。
在这里,当我们运行程序时,output.txt
文件填充了以下内容。
This is a line of text inside the file.
要清除内部缓冲区,我们可以使用flush()
方法。 此方法强制写入器将缓冲区中存在的所有数据写入目标文件。
例如,假设我们有一个名为output.txt
的空文件。
import java.io.FileWriter;
import java.io.BufferedWriter;
public class Main {
public static void main(String[] args) {
String data = "This is a demo of the flush method";
try {
// Creates a FileWriter
FileWriter file = new FileWriter(" flush.txt");
// Creates a BufferedWriter
BufferedWriter output = new BufferedWriter(file);
// Writes data to the file
output.write(data);
// Flushes data to the destination
output.flush();
System.out.println("Data is flushed to the file.");
output.close();
}
catch(Exception e) {
e.getStackTrace();
}
}
}
输出
Data is flushed to the file.
当我们运行程序时,文件output.txt
充满了由字符串data
表示的文本。
要关闭缓冲的写入器,我们可以使用close()
方法。 调用close()
方法后,我们将无法使用 writer 来写入数据。
方法 | 描述 |
---|---|
newLine() |
向写入器插入新行 |
append() |
将指定字符插入当前写入器 |
要了解更多信息,请访问 Java BufferedWriter
(Java 官方文档)。