Programa de Python para verificar si dos strings son anagramas entre sí

Escriba una función para verificar si dos strings dadas son anagramas entre sí o no. Un anagrama de una string es otra string que contiene los mismos caracteres, solo el orden de los caracteres puede ser diferente. Por ejemplo, «abcd» y «dabc» son un anagrama el uno del otro.

check-whether-two-strings-are-anagram-of-each-other

Le recomendamos encarecidamente que haga clic aquí y lo practique antes de pasar a la solución.

Método 1 (Uso de clasificación):

  1. Ordenar ambas strings
  2. Comparar las strings ordenadas

A continuación se muestra la implementación de la idea anterior:

Python

# Python program to check whether two
# strings are anagrams of each other
 
# Function to check whether two strings
# are anagram of each other
def areAnagram(str1, str2):
    # Get lengths of both strings
    n1 = len(str1)
    n2 = len(str2)
 
    # If length of both strings is not
    # same, then they cannot be anagram
    if n1 != n2:
        return 0
 
    # Sort both strings
    str1 = sorted(str1)
    str2 = sorted(str2)
 
    # Compare sorted strings
    for i in range(0, n1):
        if str1[i] != str2[i]:
            return 0
 
    return 1
 
# Driver code
str1 = "test"
str2 = "ttew"
 
# Function Call
if areAnagram(str1, str2):
    print(
    "The two strings are anagram of each other")
else:
    print(
    "The two strings are not anagram of each other")
# This code is contributed by Bhavya Jain

Producción:

The two strings are not anagram of each other

Complejidad de tiempo: O (nLogn)

Espacio auxiliar: O(1). 

Método 2 (Contar caracteres): 
este método asume que el conjunto de posibles caracteres en ambas strings es pequeño. En la siguiente implementación, se supone que los caracteres se almacenan utilizando 8 bits y puede haber 256 caracteres posibles. 

  1. Cree arrays de conteo de tamaño 256 para ambas strings. Inicialice todos los valores en arrays de conteo como 0.
  2. Repita cada carácter de ambas strings e incremente el recuento de caracteres en las arrays de recuento correspondientes.
  3. Compara arrays de conteo. Si ambas arrays de conteo son iguales, devuelva verdadero.

A continuación se muestra la implementación de la idea anterior:

Python

# Python program to check if two strings
# are anagrams of each other
NO_OF_CHARS = 256
 
# Function to check whether two strings
# are anagram of each other
def areAnagram(str1, str2):
 
    # Create two count arrays and initialize
    # all values as 0
    count1 = [0] * NO_OF_CHARS
    count2 = [0] * NO_OF_CHARS
 
    # For each character in input strings,
    # increment count in the corresponding
    # count array
    for i in str1:
        count1[ord(i)] += 1
 
    for i in str2:
        count2[ord(i)] += 1
 
    # If both strings are of different length.
    # Removing this condition will make the
    # program fail for strings like "aaca"
    # and "aca"
    if len(str1) != len(str2):
        return 0
 
    # Compare count arrays
    for i in xrange(NO_OF_CHARS):
        if count1[i] != count2[i]:
            return 0
 
    return 1
 
# Driver code
str1 = "geeksforgeeks"
str2 = "forgeeksgeeks"
 
# Function call
if areAnagram(str1, str2):
    print
    "The two strings are anagram of each other"
else:
    print
    "The two strings are not anagram of each other"
# This code is contributed by Bhavya Jain

Producción:

The two strings are anagram of each other

Complejidad de tiempo: O(n)

Espacio auxiliar: O(n). 

Método 3 (contar caracteres usando una array): 
la implementación anterior puede ser más avanzada para usar solo una array de conteo en lugar de dos. Podemos incrementar el valor en la array de conteo para caracteres en str1 y disminuir para caracteres en str2. Finalmente, si todos los valores de conteo son 0, entonces las dos strings son anagramas entre sí. Gracias a Ace por sugerir esta optimización.

Python3

# Python program to check if two strings
# are anagrams of each other
NO_OF_CHARS = 256
 
# Function to check if two strings
# are anagrams of each other
def areAnagram(str1,str2):
     
    # Create a count array and initialize
    # all values as 0
    count=[0 for i in range(NO_OF_CHARS)]
    i=0
     
    # For each character in input strings,
    # increment count in the corresponding
    # count array
    for i in range(len(str1)):
        count[ord(str1[i]) - ord('a')] += 1;
        count[ord(str2[i]) - ord('a')] -= 1;
     
    # If both strings are of different
    # length. Removing this condition
    # will make the program fail for
    # strings like "aaca" and "aca"   
    if(len(str1) != len(str2)):
        return False;
     
    # See if there is any non-zero
    # value in count array
    for i in range(NO_OF_CHARS):
        if (count[i] != 0):
            return False       
     
    return True
 
# Driver code
str1="geeksforgeeks"
str2="forgeeksgeeks"
 
# Function call
if (areAnagram(str1, str2)):
    print(
    "The two strings are anagram of each other")
else:
    print(
    "The two strings are not anagram of each other")
# This code is contributed by patel2127

Producción:

The two strings are anagram of each other

Complejidad de tiempo: O(n)

Espacio auxiliar: O(n). 

Método 4 (usando la función Counter()):

  • Cuente todas las frecuencias de la 1ra y 2da cuerda usando la función contador(). 
  • Si son iguales, ambas strings son anagramas.

Python3

# Python3 program for the above approach
from collections import Counter
 
# Function to check if two strings are
# anagram or not
def check(s1, s2):
 
    # implementing counter function
    if(Counter(s1) == Counter(s2)):
        print("The two strings are anagram of each other")
    else:
        print("The two strings are not anagram of each other")
 
 
# driver code
s1 = "geeksforgeeks"
s2 = "forgeeksgeeks"
check(s1, s2)
 
# This code is contributed by Pushpesh Raj
Producción

The two strings are anagram of each other

Complejidad de tiempo: O(n)

Sugiera si alguien tiene una mejor solución que sea más eficiente en términos de espacio y tiempo.
Este artículo es una contribución de Aarti_Rathi . Escriba comentarios si encuentra algo incorrecto o si desea compartir más información sobre el tema tratado anteriormente.

Consulte el artículo completo sobre Comprobar si dos strings son anagramas entre sí 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

Deja una respuesta

Tu dirección de correo electrónico no será publicada. Los campos obligatorios están marcados con *