我想从多个文件计算词频。
而且,我在这些文件中有这些词
a1.txt = {aaa, aaa, aaa}
a2.txt = {aaa}
a3.txt = {aaa, bbb}
因此,结果必须为aaa = 3,bbb = 1。
然后,我定义了以上数据结构,
LinkedHashMap<String, Integer> wordCount = new LinkedHashMap<String, Integer>();
Map<String, LinkedHashMap<String, Integer>>
fileToWordCount = new HashMap<String,LinkedHashMap<String, Integer>>();
然后,我从文件中读取单词并将其放入wordCount和fileToWordCount中:
/*lineWords[i] is a word from a line in the file*/
if(wordCount.containsKey(lineWords[i])){
System.out.println("1111111::"+lineWords[i]);
wordCount.put(lineWords[i], wordCount.
get(lineWords[i]).intValue()+1);
}else{
System.out.println("222222::"+lineWords[i]);
wordCount.put(lineWords[i], 1);
}
fileToWordCount.put(filename, wordCount); //here we map filename
and occurences of words
最后,我用上面的代码打印fileToWordCount,
Collection a;
Set filenameset;
filenameset = fileToWordCount.keySet();
a = fileToWordCount.values();
for(Object filenameFromMap: filenameset){
System.out.println("FILENAMEFROMAP::"+filenameFromMap);
System.out.println("VALUES::"+a);
}
和印刷品
FILENAMEFROMAP::a3.txt
VALUES::[{aaa=5, bbb=1}, {aaa=5, bbb=1}, {aaa=5, bbb=1}]
FILENAMEFROMAP::a1.txt
VALUES::[{aaa=5, bbb=1}, {aaa=5, bbb=1}, {aaa=5, bbb=1}]
FILENAMEFROMAP::a2.txt
VALUES::[{aaa=5, bbb=1}, {aaa=5, bbb=1}, {aaa=5, bbb=1}]
那么,我如何使用地图fileToWordCount查找文件中的单词频率?
最佳答案
您正在使它变得不必要。这是我的处理方式:
Map<String, Counter> wordCounts = new HashMap<String, Counter>();
for (File file : files) {
Set<String> wordsInFile = new HashSet<String>(); // to avoid counting the same word in the same file twice
for (String word : readWordsFromFile(file)) {
if (!wordsInFile.contains(word)) {
wordsInFile.add(word);
Counter counter = wordCounts.get(word);
if (counter == null) {
counter = new Counter();
wordCounts.put(word, counter);
}
counter.increment();
}
}
}