Compruebe si la string contiene letras consecutivas y cada letra aparece exactamente una vez

String dada str . La tarea es verificar si la string contiene letras consecutivas y si cada letra aparece exactamente una vez. 

Ejemplos:  

Entrada: str = “fced” 
Salida:
La string contiene ‘c’, ‘d’, ‘e’ y ‘f’ que son letras consecutivas. 

Entrada: str = “xyz” 
Salida:

Entrada: str = “abd” 
Salida: No

Enfoque:
Se pueden seguir los siguientes pasos para resolver el problema:  

  • Ordena la string dada en orden ascendente.
  • Compruebe si s[i]-s[i-1]==1 , para cada índice i de 1 a n-1.
  • Si la condición se cumple para todos los índices, escriba «Sí», de lo contrario, escriba «No».

A continuación se muestra la implementación del enfoque anterior:  

C++

// C++ program to implement
// the above approach
#include <bits/stdc++.h>
using namespace std;
 
// Function to check if
// the condition holds
bool check(string s)
{
 
    // Get the length of the string
    int l = s.length();
 
    // sort the given string
    sort(s.begin(), s.end());
 
    // Iterate for every index and
    // check for the condition
    for (int i = 1; i < l; i++) {
 
        // If are not consecutive
        if (s[i] - s[i - 1] != 1)
            return false;
    }
 
    return true;
}
 
// Driver code
int main()
{
 
    // 1st example
    string str = "dcef";
    if (check(str))
        cout << "Yes\n";
    else
        cout << "No\n";
 
    // 2nd example
    str = "xyza";
 
    if (check(str))
        cout << "Yes\n";
    else
        cout << "No\n";
 
    return 0;
}

Java

// Java program to implement
// the above approach
import java.util.*;
class GfG {
 
    // Function to check if
    // the condition holds
    static boolean check(char s[])
    {
 
        // Get the length of the string
        int l = s.length;
 
        // sort the given string
        Arrays.sort(s);
 
        // Iterate for every index and
        // check for the condition
        for (int i = 1; i < l; i++) {
 
            // If are not consecutive
            if (s[i] - s[i - 1] != 1)
                return false;
        }
 
        return true;
    }
 
    // Driver code
    public static void main(String[] args)
    {
 
        // 1st example
        String str = "dcef";
        if (check(str.toCharArray()) == true)
            System.out.println("Yes");
        else
            System.out.println("No");
 
        // 2nd example
        String str1 = "xyza";
 
        if (check(str1.toCharArray()) == true)
            System.out.println("Yes");
        else
            System.out.println("No");
    }
}

Python3

# Python3 program to implement
# the above approach
 
# Function to check if
# the condition holds
def check(s):
 
    # Get the length of the string
    l = len(s)
 
    # sort the given string
    s = ''.join(sorted(s))
 
    # Iterate for every index and
    # check for the condition
    for i in range(1, l):
 
        # If are not consecutive
        if ord(s[i]) - ord(s[i - 1]) != 1:
            return False
 
    return True
 
# Driver code
if __name__ == "__main__":
 
    # 1st example
    string = "dcef"
     
    if check(string):
        print("Yes")
    else:
        print("No")
 
    # 2nd example
    string = "xyza"
 
    if check(string):
        print("Yes")
    else:
        print("No")
 
# This code is contributed by Rituraj Jain

C#

// C# program to implement
// the above approach
using System;
using System.Collections;
 
class GfG {
 
    // Function to check if
    // the condition holds
    static bool check(char[] s)
    {
 
        // Get the length of the string
        int l = s.Length;
 
        // sort the given string
        Array.Sort(s);
 
        // Iterate for every index and
        // check for the condition
        for (int i = 1; i < l; i++) {
 
            // If are not consecutive
            if (s[i] - s[i - 1] != 1)
                return false;
        }
 
        return true;
    }
 
    // Driver code
    public static void Main()
    {
 
        // 1st example
        string str = "dcef";
        if (check(str.ToCharArray()) == true)
            Console.WriteLine("Yes");
        else
            Console.WriteLine("No");
 
        // 2nd example
        String str1 = "xyza";
 
        if (check(str1.ToCharArray()) == true)
            Console.WriteLine("Yes");
        else
            Console.WriteLine("No");
    }
}
 
// This code is contributed by Ryuga

Javascript

<script>
    // Javascript program to implement
    // the above approach
     
    // Function to check if
    // the condition holds
    function check(s)
    {
  
        // Get the length of the string
        let l = s.length;
  
        // sort the given string
        s.sort();
  
        // Iterate for every index and
        // check for the condition
        for (let i = 1; i < l; i++) {
  
            // If are not consecutive
            if ((s[i].charCodeAt() - s[i - 1].charCodeAt()) != 1)
                return false;
        }
  
        return true;
    }
     
    // 1st example
    let str = "dcef";
    if (check(str.split('')) == true)
      document.write("Yes" + "</br>");
    else
      document.write("No" + "</br>");
 
    // 2nd example
    let str1 = "xyza";
 
    if (check(str1.split('')) == true)
      document.write("Yes");
    else
      document.write("No");
       
      // This code is contributed by mukesh07.
</script>
Producción: 

Yes
No

 

Complejidad de tiempo: O(N logN)

Espacio Auxiliar: O(1)

Enfoque eficiente: 

  • Encuentre valores ASCII máximos y mínimos de los caracteres de la string
  • Encuentre la suma de los valores ASCII de todos los caracteres de la string
  • Entonces, si una secuencia de caracteres es a (ASCII = 96) a d (ASCII = 99), entonces, la suma esperada del resultado debe ser (suma de 0 a 99) menos (suma de 0 a 95)
  • Ecuación matemática:
 MAX_VALUE*(MAX_VALUE+1)/2 - (MIN_VALUE-1)*((MIN_VALUE-1)+1)/2
  • Compruebe si la suma calculada y la suma esperada son iguales o no

A continuación se muestra la implementación del enfoque anterior: 

C++

// C++ program to implement
// the above approach
#include<bits/stdc++.h>
using namespace std;
 
bool check(string str)
{
    int min = INT_MAX;
    int max = -INT_MAX;
    int sum = 0;
     
    // For all the characters of the string
    for(int i = 0; i < str.size(); i++)
    {
         
        // Find the ascii value of the character
        int ascii = str[i];
         
        // Check if its a valid character,
        // if not then return false
        if (ascii < 96 || ascii > 122)
            return false;
 
        // Calculate sum of all the
        // characters ascii values
        sum += ascii;
 
        // Find minimum ascii value
        // from the string
        if (min > ascii)
            min = ascii;
 
        // Find maximum ascii value
        // from the string
        if (max < ascii)
            max = ascii;
    }
 
    // To get the previous element
    // of the minimum ASCII value
    min -= 1;
 
    // Take the expected sum
    // from the above equation
    int eSum = ((max * (max + 1)) / 2) -
               ((min * (min + 1)) / 2);
 
    // Check if the expected sum is
    // equals to the calculated sum or not
    return sum == eSum;
}
 
// Driver code
int main()
{
     
    // 1st example
    string str = "dcef";
    if (check(str))
        cout << ("Yes");
    else
        cout << ("No");
 
    // 2nd example
    string str1 = "xyza";
    if (check(str1))
        cout << ("\nYes");
    else
        cout << ("\nNo");
}
 
// This code is contributed by amreshkumar3

Java

// Java program to implement
// the above approach
public class GFG {
 
    public static boolean check(String str)
    {
        int min = Integer.MAX_VALUE;
        int max = Integer.MIN_VALUE;
        int sum = 0;
 
        // for all the characters of the string
        for (int i = 0; i < str.length(); i++) {
 
            // find the ascii value of the character
            int ascii = (int)str.charAt(i);
 
            // check if its a valid character,
            // if not then return false
            if (ascii < 96 || ascii > 122)
                return false;
 
            // calculate sum of all the
            // characters ascii values
            sum += ascii;
 
            // find minimum ascii value
            // from the string
            if (min > ascii)
                min = ascii;
 
            // find maximum ascii value
            // from the string
            if (max < ascii)
                max = ascii;
        }
 
        // To get the previous element
        // of the minimum ASCII value
        min -= 1;
 
        // take the expected sum
        // from the above equation
        int eSum
            = ((max * (max + 1)) / 2)
              - ((min * (min + 1)) / 2);
 
        // check if the expected sum is
        // equals to the calculated sum or not
        return sum == eSum;
    }
 
    // Driver code
    public static void main(String[] args)
    {
 
        // 1st example
        String str = "dcef";
        if (check(str))
            System.out.println("Yes");
        else
            System.out.println("No");
 
        // 2nd example
        String str1 = "xyza";
 
        if (check(str1))
            System.out.println("Yes");
        else
            System.out.println("No");
    }
}
// This code is contributed by Arijit Basu(ArijitXfx)

Python3

# Python3 program to implement
# the above approach
import sys
 
def check(str):
     
    min = sys.maxsize
    max = -sys.maxsize - 1
    sum = 0
 
    # For all the characters of the string
    for i in range(len(str)):
         
        # Find the ascii value of the character
        ascii = str[i]
 
        # Check if its a valid character,
        # if not then return false
        if (ord(ascii) < 96 or ord(ascii) > 122):
            return False
 
        # Calculate sum of all the
        # characters ascii values
        sum += ord(ascii)
 
        # Find minimum ascii value
        # from the string
        if (min > ord(ascii)):
            min = ord(ascii)
 
        # Find maximum ascii value
        # from the string
        if (max < ord(ascii)):
            max = ord(ascii)
 
    # To get the previous element
    # of the minimum ASCII value
    min -= 1
 
    # Take the expected sum
    # from the above equation
    eSum = (((max * (max + 1)) // 2) -
            ((min * (min + 1)) // 2))
 
    # Check if the expected sum is
    # equals to the calculated sum or not
    return sum == eSum
 
# Driver code
if __name__ == '__main__':
     
    # 1st example
    str = "dcef"
     
    if (check(str)):
        print("Yes")
    else:
        print("No")
 
    # 2nd example
    str1 = "xyza"
     
    if (check(str1)):
        print("Yes")
    else:
        print("No")
 
# This code is contributed by mohit kumar 29

C#

// C# program to implement
// the above approach
using System;
class GFG
{
     
    static bool check(string str)
    {
        int min = Int32.MaxValue;
        int max = Int32.MinValue;
        int sum = 0;
  
        // for all the characters of the string
        for (int i = 0; i < str.Length; i++)
        {
  
            // find the ascii value of the character
            int ascii = (int)str[i];
  
            // check if its a valid character,
            // if not then return false
            if (ascii < 96 || ascii > 122)
                return false;
  
            // calculate sum of all the
            // characters ascii values
            sum += ascii;
  
            // find minimum ascii value
            // from the string
            if (min > ascii)
                min = ascii;
  
            // find maximum ascii value
            // from the string
            if (max < ascii)
                max = ascii;
        }
  
        // To get the previous element
        // of the minimum ASCII value
        min -= 1;
  
        // take the expected sum
        // from the above equation
        int eSum
            = ((max * (max + 1)) / 2)
              - ((min * (min + 1)) / 2);
  
        // check if the expected sum is
        // equals to the calculated sum or not
        return sum == eSum;
    }
     
  // Driver code
  static void Main()
  {
     
    // 1st example
    string str = "dcef";
    if (check(str))
        Console.WriteLine("Yes");
    else
        Console.WriteLine("No");
 
    // 2nd example
    string str1 = "xyza";
 
    if (check(str1))
        Console.WriteLine("Yes");
    else
        Console.WriteLine("No");
  }
}
 
// This code is contributed by divyesh072019.

Javascript

<script>
// javascript program to implement
// the above approach
  
 
    function check( str) {
        var min = Number.MAX_VALUE;
        var max = Number.MIN_VALUE;
        var sum = 0;
 
        // for all the characters of the string
        for (i = 0; i < str.length; i++) {
 
            // find the ascii value of the character
            var ascii = parseInt( str.charCodeAt(i));
 
            // check if its a valid character,
            // if not then return false
            if (ascii < 96 || ascii > 122)
                return false;
 
            // calculate sum of all the
            // characters ascii values
            sum += ascii;
 
            // find minimum ascii value
            // from the string
            if (min > ascii)
                min = ascii;
 
            // find maximum ascii value
            // from the string
            if (max < ascii)
                max = ascii;
        }
 
        // To get the previous element
        // of the minimum ASCII value
        min -= 1;
 
        // take the expected sum
        // from the above equation
        var eSum = parseInt((max * (max + 1)) / 2) - ((min * (min + 1)) / 2);
 
        // check if the expected sum is
        // equals to the calculated sum or not
        return sum == eSum;
    }
 
    // Driver code
     
 
        // 1st example
        var str = "dcef";
        if (check(str))
            document.write("Yes<br/>");
        else
            document.write("No<br/>");
 
        // 2nd example
        var str1 = "xyza";
 
        if (check(str1))
            document.write("Yes");
        else
            document.write("No");
 
// This code contributed by Rajput-Ji
</script>
Producción: 

Yes
No

 

Complejidad temporal: O(N) 
 Espacio auxiliar: O(1)

Publicación traducida automáticamente

Artículo escrito por Striver 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 *