如果我有一个包含数字列表的.txt文件。它应该返回每行中所有数字的总和以及文件中每个数字的总和。然后在控制台中打印所有这些内容。让我们说txt文件是:
50 3 21 10 9 9 54 47 24 74
22 63 63 28 36 47 60 3 45 83
20 37 11 41 47 89 9 98 40 94
48 77 93 68 8 19 81 67 80 64
41 73 24 29 99 6 41 23 23 44
43 41 29 11 43 94 62 27 81 71
83 14 97 67 21 68 77 25 21 24
31 8 54 14 49 96 33 18 14 80
54 55 53 38 62 53 62 10 42 29
17 89 92 87 15 42 50 85 68 43
这是我的代码:
import java.io.File;
import java.io.IOException;
import java.util.Scanner;
public class Summer {
public static void main(String args[]) throws IOException {
File text = new File("src/nums.txt");
if (!text.exists()) {
text.createNewFile();
}
int sum = 0;
Scanner input = new Scanner(text);
while (input.hasNextInt()) {
sum = sum + input.nextInt();
}
System.out.printf("Sum of all numbers: %d", sum);
int lineSum = 0;
int lineNum = 1;
while (input.hasNext()) {
if (input.hasNextInt()) {
lineSum = lineSum + input.nextInt();
} else {
input.next();
lineNum++;
}
}
System.out.printf("%nSum of line %d: %d", lineNum, lineSum);
}
}
哪个输出:
Sum of all numbers: 4687
Sum of line 1: 0
你的第二个循环将永远不会工作,因为你在EOF(文件结束)的第一个循环后,扫描仪对象将不会从头开始。
这里最好的是使用2个Scanner对象,一个用于从文件中读取一行,另一个用于读取该行中的值。使用此解决方案,您可以一次计算每行总数和文件总数。
int total = 0;
Scanner input = new Scanner(text);
while (input.hasNextLine()) {
Scanner lineScanner = new Scanner(input.nextLine());
int lineSum = 0;
while (lineScanner.hasNextInt()) {
lineSum += lineScanner.nextInt();
}
System.out.println(Sum of line is: " + lineSum);
total += lineSum;
}
System.out.println("File sum is: " + total);
我的打印与您的打印略有不同,但很容易修复。
问题:
你的问题在于你使用相同的Scanner
实例来读取文件两次,这导致了问题,因为它已经在第一次while
调用中到达文件的末尾,所以当你回想起input.hasNext()
它将是false
因此你赢了进入第二个while
。
解:
您需要在第二次input
呼叫之前重新初始化while
扫描仪:
int lineSum = 0;
int lineNum = 1;
//Re initialize the scanner instance here
input = new Scanner(text);
while (input.hasNext()) {
//Do the calculations
}
注意:
您还需要在计算中注意input.nextInt()
和input.next()
调用以获得所需的行为。