所以我想扫描一个文本文件,以找出数组中的单词在该文本文件中使用的总次数。
使用我的代码,我只能找出在文本文件中找到数组零位置的单词的次数。我想要数组中所有单词的总数。
String[] arr = {"hello", "test", "example"};
File file = new File(example.txt);
int wordCount = 0;
Scanner scan = new Scanner(file);
for(int i = 0; i<arr.length; i++){
while (scan.hasNext()) {
if (scan.next().equals(arr[i])){
wordCount++;
}
}
}
System.out.println(wordCount);
example.txt如下:
hello hello hi okay test hello example test
this is a test hello example
为此,我想要的对wordCount = 9的期望结果
相反,我上面的代码的wordCount等于4(在文本文件中说明了问候的数量)
答案 0 :(得分:3)
扫描文件中的行,然后扫描arr
中是否存在匹配项...
try (Scanner scan = new Scanner(file)) {
while (scan.hasNext()) {
String next = scan.next()
for(int i = 0; i<arr.length; i++){
if (next.equals(arr[i])){
wordCount++;
}
}
}
}
答案 1 :(得分:0)
这里发生的是:在第一个循环中,到达文件末尾,您只得到了'hello'的计数。您可以在每个循环的结尾/开头重新调整指向文件开头的指针。
String[] arr = {"hello", "test", "example"};
File file = new File(example.txt);
int wordCount = 0;
for(int i = 0; i<arr.length; i++){
Scanner scan = new Scanner(file);
while (scan.hasNext()) {
if (scan.next().equals(arr[i])){
wordCount++;
}
}
}
System.out.println(wordCount);