Dada una string str y un entero K , la tarea es encontrar el k-ésimo carácter más frecuente en la string. Si hay varios caracteres que pueden contabilizarse como el K-ésimo carácter más frecuente, imprima cualquiera de ellos.
Ejemplos:
Entrada: str = “GeeksforGeeks”, K = 3
Salida: f
Explicación:
K = 3, aquí ‘e’ aparece 4 veces
y ‘g’, ‘k’, ‘s’ aparece 2 veces
y ‘o’, ‘f’ , ‘r’ aparece 1 vez.
Cualquier resultado de ‘o’ (o) ‘f’ (o) ‘r’ será correcto.
Entrada: str = “tricotilomanía”, K = 2
Salida: l
Acercarse
- La idea es usar los caracteres como clave en Hashmap y almacenar sus ocurrencias en la string .
- Ordene el Hashmap y encuentre el carácter K-ésimo.
A continuación se muestra la implementación del enfoque anterior.
C++
// C++ program to find kth most frequent // character in a string #include <bits/stdc++.h> using namespace std; // Used for sorting by frequency. bool sortByVal(const pair<char, int>& a, const pair<char, int>& b) { return a.second > b.second; } // function to sort elements by frequency char sortByFreq(string str, int k) { // Store frequencies of characters unordered_map<char, int> m; for (int i = 0; i < str.length(); ++i) m[str[i]]++; // Copy map to vector vector<pair<char, int> > v; copy(m.begin(), m.end(), back_inserter(v)); // Sort the element of array by frequency sort(v.begin(), v.end(), sortByVal); // Find k-th most frequent item. Please note // that we need to consider only distinct int count = 0; for (int i = 0; i < v.size(); i++) { // Increment count only if frequency is // not same as previous if (i == 0 || v[i].second != v[i - 1].second) count++; if (count == k) return v[i].first; } return -1; } // Driver program int main() { string str = "geeksforgeeks"; int k = 3; cout << sortByFreq(str, k); return 0; }
Java
// Java program to find kth most frequent // character in a string import java.io.*; import java.util.*; class imp3 { // Used for sorting by frequency. static class pair implements Comparable<pair> { char ch; int freq; pair(char ch, int freq) { this.ch = ch; this.freq = freq; } public int compareTo(pair a) { return a.freq - this.freq; } } // function to sort elements by frequency static char sortByFreq(String str, int k) { // Store frequencies of characters HashMap<Character, Integer> m = new HashMap<>(); for (int i = 0; i < str.length(); ++i) { char ch = str.charAt(i); int freq = m.getOrDefault(str.charAt(i), 0) + 1; m.put(ch, freq); } // Copy map to array pair[] v = new pair[m.size()]; int idx = 0; for (Character ch : m.keySet()) { v[idx++] = new pair(ch, m.get(ch)); } // Sort the element of array by frequency Arrays.sort(v); // Find k-th most frequent item. Please note // that we need to consider only distinct int count = 0; for (int i = 0; i < v.length; i++) { // Increment count only if frequency is // not same as previous if (i == 0 || v[i].freq != v[i - 1].freq) count++; if (count == k) return v[i].ch; } return '.'; } public static void main(String[] args) { String str = "geeksforgeeks"; int k = 3; System.out.println(sortByFreq(str, k)); } } // This code is contributed by Karandeep1234
Python3
# Python 3 program to find kth most frequent # character in a string # function to sort elements by frequency def sortByFreq(s, k): # Store frequencies of characters m=dict() for c in s: m=m.get(c,0)+1 # Copy map to vector v=list(m.items()) # Sort the element of array by frequency v.sort(key=lambda x:x[1],reverse= True) # Find k-th most frequent item. Please note # that we need to consider only distinct count = 0 for i in range(len(v)): # Increment count only if frequency is # not same as previous if (i == 0 or v[i][1] != v[i - 1][1]): count+=1 if (count == k): return v[i][0] return -1 # Driver program if __name__ == '__main__': s = "geeksforgeeks" k = 3 print(sortByFreq(s, k))
Javascript
<script> // JavaScript program to find kth most frequent // character in a string // Used for sorting by frequency. function sortByVal(a,b) { return b[1] - a[1]; } // function to sort elements by frequency function sortByFreq(str,k) { // Store frequencies of characters let m = new Map(); for (let i = 0; i < str.length; ++i){ if(m.has(str[i])){ m.set(str[i],m.get(str[i])+1); } else m.set(str[i],1); } // Copy map to vector let v = []; for(let [x,y] of m){ v.push([x,y]); } // Sort the element of array by frequency v.sort(sortByVal); // Find k-th most frequent item. Please note // that we need to consider only distinct let count = 0; for (let i = 0; i < v.length; i++) { // Increment count only if frequency is // not same as previous if (i == 0 || v[i][1] != v[i - 1][1]) count++; if (count == k) return v[i][0]; } return -1; } // Driver program let str = "geeksforgeeks"; let k = 3; document.write(sortByFreq(str, k)); // This code is contributed by shinjanpatra. </script>
r
Complejidad de tiempo: O(NlogN) Tenga en cuenta que este es un límite superior en la complejidad de tiempo. Si consideramos el tamaño del alfabeto como constante (por ejemplo, el tamaño del alfabeto en minúsculas en inglés es 26), podemos decir que la complejidad del tiempo es O (N). El tamaño del vector nunca sería mayor que el tamaño del alfabeto.
Espacio Auxiliar: O(N)
Publicación traducida automáticamente
Artículo escrito por sharmakumaraditya y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA