Dada una string str que contiene solo caracteres en minúsculas. La tarea es imprimir los caracteres junto con sus frecuencias en el orden en que aparecen en la string dada.
Ejemplos:
Entrada: str = “geeksforgeeks”
Salida: g2 e4 k2 s2 f1 o1 r1
Entrada: str = “helloworld”
Salida: h1 e1 l3 o2 w1 r1 d1
Enfoque: recorrer la string dada carácter por carácter y almacenar las frecuencias de todas las strings en un LinkedHashMap que mantiene el orden de los elementos en los que se almacenan. Ahora, itere sobre los elementos del LinkedhashMap e imprima el contenido.
A continuación se muestra la implementación del enfoque anterior:
Java
// Java implementation of the approach import java.util.LinkedHashMap; public class GFG { // Function to print the characters and their // frequencies in the order of their occurrence static void printCharWithFreq(String str, int n) { // LinkedHashMap preserves the order in // which the input is supplied LinkedHashMap<Character, Integer> lhm = new LinkedHashMap<Character, Integer>(); // For every character of the input string for (int i = 0; i < n; i++) { // Using java 8 getorDefault method char c = str.charAt(i); lhm.put(c, lhm.getOrDefault(c, 0) + 1); } // Iterate using java 8 forEach method lhm.forEach( (k, v) -> System.out.print(k + " " + v)); } // Driver code public static void main(String[] args) { String str = "geeksforgeeks"; int n = str.length(); printCharWithFreq(str, n); } }
g2 e4 k2 s2 f1 o1 r1
Publicación traducida automáticamente
Artículo escrito por samarthbais255 y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA