Вот как вы можете использовать метод split для преобразования строки в массив строк. Я не пользуюсь списком, так как хочу показать вам немного другой подход к решению этой проблемы.
Я удаляю пробелы и преобразовываю все в нижний регистр. Это зависит от вас, если вы хотите сделать это.
Scanner input = new Scanner(System.in);
String userInput;
System.out.print("Enter a line of words: ");
userInput = input.nextLine().replace(" ", "").toLowerCase();
String[] userInputSplit = userInput.split(""); // Splits array
Arrays.sort(userInputSplit); // Sorts array
System.out.println(Arrays.toString(userInputSplit)); // Prints sorted array
// Checks for frequency of each letter using maps
Map<String, Integer> countMap = Arrays.stream(userInputSplit)
.collect(Collectors.toMap(Function.identity(), v -> 1, Integer::sum));
// Prints map
System.out.println("Frequency of words: " + countMap.toString());
Вывод:
Enter a line of words: The quick brown fox jumps over the lazy dog
[a, b, c, d, e, e, e, f, g, h, h, i, j, k, l, m, n, o, o, o, o, p, q, r, r, s, t, t, u, u, v, w, x, y, z]
Frequency of words: {a=1, b=1, c=1, d=1, e=3, f=1, g=1, h=2, i=1, j=1, k=1, l=1, m=1, n=1, o=4, p=1, q=1, r=2, s=1, t=2, u=2, v=1, w=1, x=1, y=1, z=1}
Редактировать:
Нравится @AndyTurner Предложено Вы также можете использовать Collectors.counting()
, которыйнемного упрощает понимание синтаксиса, но он возвращает Long вместо Integer
Map<String, Long> countMap = Arrays.stream(userInputSplit)
.collect(Collectors.groupingBy(Function.identity(), Collectors.counting()));
Collectors.counting по сути
Map<String, Integer> countMap = Arrays.stream(userInputSplit)
.collect(Collectors.toMap(Function.identity(), v -> 1L, Long::sum));
Использование HashSet и Collections.frequency:
HashSet<String> uniqueValues = new HashSet<String>(userInputList);
for (String value : uniqueValues) {
System.out.println("Frequency of " + value + " is: " + Collections.frequency(userInputList, value));
}