尝试使用用户输入替换文本文件中的一行时遇到了一些麻烦。每当我尝试替换该行时,文本文件中的所有其他行都将被删除。任何人都可以帮我解决这个问题吗?
public static void removedata(String s) throws IOException {
File f = new File("data.txt");
File f1 = new File("data2.txt");
BufferedReader input = new BufferedReader(new InputStreamReader(
System.in));
BufferedReader br = new BufferedReader(new FileReader(f));
PrintWriter pr = new PrintWriter(f1);
String line;
while ((line = br.readLine()) != null) {
if (line.contains(s)) {
System.out
.println("I see you are trying to update some information... Shall I go ahead?");
String go = input.readLine();
if (go.equals("yes")) {
System.out.println("Enter new Text :");
String newText = input.readLine();
line = newText;
System.out.println("Thank you, Have a good Day!");
break;
}
if (go.equals("no")) {
System.out.println(line);
System.out.println("Have a good day!");
break;
}
}
pr.println(line);
}
br.close();
pr.close();
input.close();
Files.move(f1.toPath(), f.toPath(), StandardCopyOption.REPLACE_EXISTING);
}
这是我的主要
public static void main(String args[]) throws ParseException, IOException {
/* Initialization */
String[] keywords = { "day", "month" };
Scanner in = new Scanner(System.in);
Scanner scanner = new Scanner(System.in);
String input = null;
System.out.println("Welcome");
System.out.println("What would you like to know?");
System.out.print("> ");
input = scanner.nextLine().toLowerCase();
for (int i = 0; i < keywords.length; i++) {
if (input.contains(keywords[i])) {
removedata(keywords[i]);
}
}
}
我的文本文件包含“当天是星期二”和“月份正在进行中”。假设用户输入“当天是星期三”,我想用新行替换旧行。有什么建议吗?
答案 0 :(得分:1)
要替换文本文件中的文本,您需要有一个临时文件来存储修改后的文本。我认为你实际上是通过使用f
和f1
来实现的。但是你在break;
循环中使用了while
,所以一旦替换并打印了循环,循环就会停止。我认为您所要做的就是删除break;
答案 1 :(得分:0)
您有两个选择
像往常一样阅读文件,直到找到您要查找的行,确保将所有行写入某个临时文件。将新行写入临时文件,然后继续操作。现在用新文件替换旧文件。
private void updateFile(String lineToFind, String lineToUse, File f) throws IOException{
File tempFile = new File(f.getAbsolutePath()+".tmp");
try(BufferedReader reader = new BufferedReader(new FileReader(f));
PrintWriter writer = new PrintWriter(new FileWriter(tempFile))) {
String line;
while ((line = reader.readLine()) != null) {
if (line.equals(lineToFind)) {
writer.println(lineToUse);
} else {
writer.println(line);
}
}
}
f.delete();
tempFile.renameTo(f);
}
使用RandomAccessFile来操作文件内容。这要复杂得多,可能不值得,但这是一种选择。