我正在尝试在文件中读取并更改一些行。
该指令读为"调用Java练习12_11 JOHN FILENAME从指定文件中删除字符串John。"
这是我到目前为止写的代码
import java.util.Scanner;
import java.io.*;
public class Exercise12_11 {
public static void main(String[] args) throws Exception{
System.out.println("Enter a String and the file name.");
if(args.length != 2) {
System.out.println("Input invalid. Example: John filename");
System.exit(1);
}
//check if file exists, if it doesn't exit program
File file = new File(args[1]);
if(!file.exists()) {
System.out.println("The file " + args[1] + " does not exist");
System.exit(2);
}
/*okay so, I need to remove all instances of the string from the file.
* replacing with "" would technically remove the string
*/
try (//read in the file
Scanner in = new Scanner(file);) {
while(in.hasNext()) {
String newLine = in.nextLine();
newLine = newLine.replaceAll(args[0], "");
}
}
}
}
我不太知道我是否朝着正确的方向前进,因为我遇到了一些问题,可以让命令行与我合作。我只想知道这是否朝着正确的方向前进。
这实际上是更改当前文件中的行,还是我需要其他文件来进行更改?我可以将其包装在打印词中以输出吗?
编辑:删除一些不必要的信息来集中问题。有人评论说,该文件不会被编辑。这是否意味着我需要使用PrintWriter。我可以创建一个文件吗?意思是我不从用户获取文件?
您的代码仅读取文件并将行保存到内存中。您将需要存储所有修改的内容,然后将其重新编写回文件。
另外,如果您需要保留newline字符 n
以维护格式,请确保包含它。
有很多方法可以解决此问题,这就是其中之一。它不是完美的,但它适合您的问题。您可以从中得到一些想法或指示。
List<String> lines = new ArrayList<>();
try {
Scanner in = new Scanner(file);
while(in.hasNext()) {
String newLine = in.nextLine();
lines.add(newLine.replaceAll(args[0], "") + "n"); // <-- save new-line character
}
in.close();
// save all new lines to input file
FileWriter fileWriter = new FileWriter(args[1]);
PrintWriter printWriter = new PrintWriter(fileWriter);
lines.forEach(printWriter::print);
printWriter.close();
} catch (IOException ioEx) {
System.err.println("Error: " + ioEx.getMessage());
}