如何在Java中覆盖文件的内容而不删除现有内容?

ozxc1zmp  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(169)

我不想追加,也不想截断现有的数据。我想覆盖现有的数据。例如,下面的代码留下了包含“hello”的test.txt文件,但我希望该文件包含“hello6789”。

  1. try(
  2. FileWriter fw = new FileWriter("test.txt"); ){
  3. fw.write("123456789");
  4. }
  5. try(
  6. FileWriter fw = new FileWriter("test.txt"); ){
  7. fw.write("hello");
  8. }

字符串
有可能吗?

inkz8wg9

inkz8wg91#

我建议使用Java 7中添加的NIO.2
(Note下面的代码也使用了try-with-resources

  1. import java.io.BufferedWriter;
  2. import java.io.IOException;
  3. import java.nio.file.Files;
  4. import java.nio.file.Path;
  5. import java.nio.file.Paths;
  6. import java.nio.file.StandardOpenOption;
  7. public class Proj2 {
  8. public static void main(String[] args) {
  9. Path path = Paths.get("test.txt");
  10. try (BufferedWriter bw = Files.newBufferedWriter(path,
  11. StandardOpenOption.CREATE,
  12. StandardOpenOption.WRITE)) {
  13. bw.write("123456789");
  14. }
  15. catch (IOException xIo) {
  16. xIo.printStackTrace();
  17. }
  18. try (BufferedWriter bw = Files.newBufferedWriter(path,
  19. StandardOpenOption.CREATE,
  20. StandardOpenOption.WRITE)) {
  21. bw.write("hello");
  22. }
  23. catch (IOException xIo) {
  24. xIo.printStackTrace();
  25. }
  26. }
  27. }

字符串
运行上述代码后,test.txt 文件的内容:

  1. hello6789


另请参考 javadoc for [enum] StandardOpenOption

展开查看全部

相关问题