Dada una string S , la tarea es eliminar todos los duplicados en la string dada.
A continuación se muestran los diferentes métodos para eliminar duplicados en una string.
MÉTODO 1 (Simple)
Java
// Java program to remove duplicate character // from character array and print in sorted // order import java.util.*; class GFG { static String removeDuplicate(char str[], int n) { // Used as index in the modified string int index = 0; // Traverse through all characters for (int i = 0; i < n; i++) { // Check if str[i] is present before it int j; for (j = 0; j < i; j++) { if (str[i] == str[j]) { break; } } // If not present, then add it to // result. if (j == i) { str[index++] = str[i]; } } return String.valueOf(Arrays.copyOf(str, index)); } // Driver code public static void main(String[] args) { char str[] = "geeksforgeeks".toCharArray(); int n = str.length; System.out.println(removeDuplicate(str, n)); } } // This code is contributed by Rajput-Ji
Producción:
geksfor
Complejidad de tiempo: O(n * n)
Espacio auxiliar: O(1)
Mantiene el orden de los elementos igual que la entrada.
MÉTODO 2 (Usar BST) conjunto
de uso que implementa un árbol de búsqueda binaria autoequilibrado.
Java
// Java program to remove duplicate character // from character array and print in sorted // order import java.util.*; class GFG { static void removeDuplicate(char str[], int n) { // Create a set using String characters // excluding '�' HashSet<Character> s = new LinkedHashSet<>(n - 1); // HashSet doesn't allow repetition of elements for (char x : str) s.add(x); // Print content of the set for (char x : s) System.out.print(x); } // Driver code public static void main(String[] args) { char str[] = "geeksforgeeks".toCharArray(); int n = str.length; removeDuplicate(str, n); } } // This code is contributed by todaysgaurav
Producción:
efgkors
Complejidad de Tiempo : O(n Log n)
Espacio Auxiliar : O(n)
Gracias a Anivesh Tiwari por sugerir este enfoque.
No mantiene el orden de los elementos igual que la entrada, sino que los imprime ordenados.
MÉTODO 3 (Uso de clasificación)
Algoritmo:
1) Sort the elements. 2) Now in a loop, remove duplicates by comparing the current character with previous character. 3) Remove extra characters at the end of the resultant string.
Ejemplo:
Input string: geeksforgeeks 1) Sort the characters eeeefggkkorss 2) Remove duplicates efgkorskkorss 3) Remove extra characters efgkors
Tenga en cuenta que este método no mantiene el orden original de la string de entrada. Por ejemplo, si vamos a eliminar los duplicados de geeksforgeeks y mantener el mismo orden de los caracteres, la salida debería ser geksfor, pero la función anterior devuelve efgkos. Podemos modificar este método almacenando el pedido original.
Implementación:
Java
// Java program to remove duplicates, the order of // characters is not maintained in this program import java.util.Arrays; public class GFG { /* Method to remove duplicates in a sorted array */ static String removeDupsSorted(String str) { int res_ind = 1, ip_ind = 1; // Character array for removal of duplicate characters char arr[] = str.toCharArray(); /* In place removal of duplicate characters*/ while (ip_ind != arr.length) { if(arr[ip_ind] != arr[ip_ind-1]) { arr[res_ind] = arr[ip_ind]; res_ind++; } ip_ind++; } str = new String(arr); return str.substring(0,res_ind); } /* Method removes duplicate characters from the string This function work in-place and fills null characters in the extra space left */ static String removeDups(String str) { // Sort the character array char temp[] = str.toCharArray(); Arrays.sort(temp); str = new String(temp); // Remove duplicates from sorted return removeDupsSorted(str); } // Driver Method public static void main(String[] args) { String str = "geeksforgeeks"; System.out.println(removeDups(str)); } }
Producción:
efgkors
Complejidad de tiempo: O (n log n) Si usamos algún algoritmo de clasificación nlogn en lugar de quicksort.
Espacio Auxiliar: O(1)
MÉTODO 4 (Usar hash)
Algoritmo:
1: Initialize: str = "test string" /* input string */ ip_ind = 0 /* index to keep track of location of next character in input string */ res_ind = 0 /* index to keep track of location of next character in the resultant string */ bin_hash[0..255] = {0,0, ….} /* Binary hash to see if character is already processed or not */ 2: Do following for each character *(str + ip_ind) in input string: (a) if bin_hash is not set for *(str + ip_ind) then // if program sees the character *(str + ip_ind) first time (i) Set bin_hash for *(str + ip_ind) (ii) Move *(str + ip_ind) to the resultant string. This is done in-place. (iii) res_ind++ (b) ip_ind++ /* String obtained after this step is "te stringing" */ 3: Remove extra characters at the end of the resultant string. /* String obtained after this step is "te string" */
Implementación:
Java
// Java program to remove duplicates import java.util.*; class RemoveDuplicates { /* Function removes duplicate characters from the string This function work in-place */ void removeDuplicates(String str) { LinkedHashSet<Character> lhs = new LinkedHashSet<>(); for(int i=0;i<str.length();i++) lhs.add(str.charAt(i)); // print string after deleting duplicate elements for(Character ch : lhs) System.out.print(ch); } /* Driver program to test removeDuplicates */ public static void main(String args[]) { String str = "geeksforgeeks"; RemoveDuplicates r = new RemoveDuplicates(); r.removeDuplicates(str); } } // This code has been contributed by Amit Khandelwal (Amit Khandelwal 1)
Producción:
geksfor
Complejidad de tiempo: O(n)
Puntos importantes:
- El método 2 no mantiene los caracteres como strings originales, pero el método 4 sí.
- Se supone que el número de caracteres posibles en la string de entrada es 256. NO_OF_CHARS debe cambiarse en consecuencia.
- calloc() se usa en lugar de malloc() para las asignaciones de memoria de una array de conteo (recuento) para inicializar la memoria asignada a ‘�’. También se puede usar malloc() seguido de memset().
- El algoritmo anterior también funciona para entradas de array de enteros si se proporciona el rango de los enteros en la array. Un problema de ejemplo es encontrar el número máximo que ocurre en una array de entrada dado que la array de entrada contiene números enteros solo entre 1000 y 1100
Método 5 (usando el método IndexOf() ):
requisito previo: método Java IndexOf()
Java
// Java program to create a unique string import java.util.*; class IndexOf { // Function to make the string unique public static String unique(String s) { String str = new String(); int len = s.length(); // loop to traverse the string and // check for repeating chars using // IndexOf() method in Java for (int i = 0; i < len; i++) { // character at i'th index of s char c = s.charAt(i); // if c is present in str, it returns // the index of c, else it returns -1 if (str.indexOf(c) < 0) { // adding c to str if -1 is returned str += c; } } return str; } // Driver code public static void main(String[] args) { // Input string with repeating chars String s = "geeksforgeeks"; System.out.println(unique(s)); } }
Producción:
geksfor
Gracias debjitdbb por sugerir este enfoque.
Método 6 (usando el método STL unordered_map ):
Requisito previo: método C++ unordered_map STL
Java
// Java program to create a unique String using unordered_map /* access time in unordered_map on is O(1) generally if no collisions occur and therefore it helps us check if an element exists in a String in O(1) time complexity with constant space. */ import java.util.*; class GFG{ static char[] removeDuplicates(char []s,int n){ Map<Character,Integer> exists = new HashMap<>(); String st = ""; for(int i = 0; i < n; i++){ if(!exists.containsKey(s[i])) { st += s[i]; exists.put(s[i], 1); } } return st.toCharArray(); } // driver code public static void main(String[] args){ char s[] = "geeksforgeeks".toCharArray(); int n = s.length; System.out.print(removeDuplicates(s,n)); } } // This code is contributed by gauravrajput1
Producción:
geksfor
Complejidad de tiempo: O(n)
Espacio auxiliar: O(n)
Gracias, Allen James Vinoy por sugerir este enfoque.
Consulte el artículo completo sobre Eliminar duplicados de una string determinada para obtener más detalles.
Publicación traducida automáticamente
Artículo escrito por GeeksforGeeks-1 y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA