此代码的目标是读取文件并在每个{(大括号)的末尾添加数字,但文件不会像在文件中那样输出每一行,而是将其放入一整行。我在哪里放一个System.out.println语句。我尝试了每一个地方,并不断重复它
import java.io.File;
import java.io.FileNotFoundException;
import java.util.Scanner;
public class Test {
public static void main(String args[]) {
readFile();
}
public static void readFile() { // Method to read file
Scanner inFile = null;
String out = " ";
try {
Scanner input = new Scanner(System.in);
System.out.println("enter file name");
String filename = input.next();
File in = new File(filename); // ask for the file name
inFile = new Scanner(in);
int count = 0;
while (inFile.hasNextLine()) { // reads each line
String line = inFile.nextLine();
for (int i = 0; i < line.length(); i++) {
char ch = line.charAt(i);
out = out + ch;
if (ch == '{') {
count = count + 1;
out = out + " " + count + " ";
} else if (ch == '}') {
out = out + " " + count + " ";
if (count > 0) {
count = count - 1;
}
}
}
}
System.out.println(out);
} catch (FileNotFoundException exception) {
System.out.println("File not found.");
}
inFile.close();
}
}
答案 0 :(得分:0)
我在哪里放置System.out.println语句
整个输出构建在一个字符串中,直到最后才打印,因此在行循环中添加System.out.println语句将无济于事。您可以通过执行以下操作为字符串添加换行符:
out += "\n";
或者,在行循环体的末尾,打印当前行,并为下一行重置缓冲区:
System.out.println(out);
out = "";
顺便说一下,使用字符串作为输出缓冲区效率不高。字符串是不可变的,因此每个+
语句都会复制并复制所有以前的字符,以便每次都创建一个新对象。考虑将out
声明为StringBuilder而不是字符串。然后你可以使用.append()
方法添加它,并且它不会每次都复制所有文本,因为StringBuilder是可变的。