如何使用 Java 覆盖 .txt 文件中的一行?

javaobject oriented programmingprogramming

使用的 API

String 类的 replaceAll() 方法接受两个表示正则表达式的字符串和一个替换字符串,并用给定的字符串替换匹配的值。

java.util 类(构造函数)接受 File、InputStream、Path 和 String 对象,使用正则表达式逐个标记读取所有原始数据类型和字符串(来自给定源)。使用提供的 nextXXX() 方法从源读取各种数据类型。

StringBuffer 类是 String 的可变替代品,实例化此类后,可以使用 append() 方法向其添加数据。

程序

覆盖文件的特定行 −

将文件内容读取为 String −

  • 实例化 File 类。

  • 实例化 Scanner 类,将文件作为参数传递给其构造函数。

  • 创建一个空的 StringBuffer 对象。

  • 使用 append() 方法将文件内容逐行添加到 StringBuffer 对象。

  • 使用 toString() 将 StringBuffer 转换为 String方法。

  • 关闭 Scanner 对象。

对获取的字符串调用 replaceAll() 方法,传递要替换的行(旧行)和替换行(新行)作为参数。

重写文件内容 −

  • 实例化 FileWriter 类。

  • 使用 append() 方法将 replaceAll() 方法的结果添加到 FileWriter 对象。

  • 使用 flush() 方法将添加的数据推送到文件。

示例

import java.io.File;
import java.io.FileNotFoundException;
import java.io.FileWriter;
import java.io.IOException;
import java.util.Scanner;
public class OverwriteLine {
   public static void main(String args[]) throws IOException {
      //实例化 File 类
      String filePath = "D://input.txt";
      //实例化 Scanner 类以读取文件
      Scanner sc = new Scanner(new File(filePath));
      //实例化 StringBuffer 类
      StringBuffer buffer = new StringBuffer();
      //读取文件的行并将其附加到 StringBuffer
      while (sc.hasNextLine()) {
         buffer.append(sc.nextLine()+System.lineSeparator());
      }
      String fileContents = buffer.toString();
      System.out.println("文件内容:"+fileContents);
      //关闭 Scanner 对象
      sc.close();
      String oldLine = "没有先决条件,没有障碍。轻松学习!";
      String newLine = "享受免费内容";
      //用新行替换旧行
      fileContents = fileContents.replaceAll(oldLine, newLine);
      //实例化 FileWriter 类
      FileWriter writer = new FileWriter(filePath);
      System.out.println("");
      System.out.println("new data: "+fileContents);
      writer.append(fileContents);
      writer.flush();
   }
}

输出

Contents of the file: Tutorials Point originated from the idea that there exists a 
class of readers who respond better to online content and prefer to learn new skills.
Our content and resources are freely available and we prefer to keep it that way to 
encourage our readers acquire as many skills as they would like to.
We don’t force our readers to sign up with us or submit their details either.
No preconditions and no impediments. Simply Easy Learning!

new data: Tutorials Point originated from the idea that there exists a class of readers 
who respond better to online content and prefer to learn new skills.
Our content and resources are freely available and we prefer to keep it that way to 
encourage our readers acquire as many skills as they would like to.
We don’t force our readers to sign up with us or submit their details either.
Enjoy the free content

相关文章