需要对文件中的单词按输入符号的数量进行排序(首先按输入数量排序,然后按字母排序)。例如,对于符号“ e”,结果应为:avrgspeed = 2;变成= 2;因为= 2 ...自动化= 1;自动连线= 1。
是否有更好的方式以流样式编写所有内容。
public class Sorter {
public Map<String, Integer> getDistinctWordsMap(String path, char symbol) throws IOException {
Pattern delimeter = Pattern.compile("([^a-zA-Z])");
List<WordParameter> parameterList = new ArrayList<>();
Files.lines(Paths.get(path))
.flatMap(delimeter::splitAsStream).map(String::toLowerCase).distinct()
.forEachOrdered(word -> parameterList.add(new WordParameter(word, symbol)));
Collections.sort(parameterList);
return parameterList.stream().filter(w->w.count>0).collect(toMap(n->n.word, n->n.count, (e1, e2) -> e1, LinkedHashMap::new));
}
class WordParameter implements Comparable<WordParameter>{
String word;
int count;
public WordParameter(String word, char symbol) {
this.word = word;
this.count = countEntrance(symbol);
}
private int countEntrance(char symbol){
int quantity = 0;
char[] charArr = word.toCharArray();
for(int i = 0; i<charArr.length; i++){
if(charArr[i]==symbol){
quantity++;
}
}
return quantity;
}
@Override
public int compareTo(WordParameter o) {
if(count<o.count)
return 1;
else if(count>o.count)
return -1;
else {
return word.compareTo(o.word);
}
}
}
}
答案 0 :(得分:2)
您肯定可以减少样板代码,使其更简洁。
未测试下面的代码,但这样的内容就足够了:
Files.lines(Paths.get(path))
.flatMap(delimeter::splitAsStream)
.map(String::toLowerCase)
.filter(s -> s.indexOf(symbol) >= 0)
.distinct()
.map(s -> new SimpleEntry<>(s, s.chars().filter(c -> c == symbol).count()))
.sorted(Map.Entry.<String,Long>comparingByValue(Comparator.reverseOrder())
.thenComparing(Map.Entry::getKey))
.collect(toMap(SimpleEntry::getKey, e -> e.getValue().intValue(), (l, r) -> l, LinkedHashMap::new));
这意味着您不再需要自定义类,因为我们在流管道中使用SimpleEntry
。