Cómo validar GUID (Identificador Único Global) usando Expresión Regular

Dada la string str , la tarea es verificar si la string dada es un GUID (identificador único global) válido o no mediante el uso de expresiones regulares . El GUID (Globally Unique Identifier)
​​válido debe especificar las siguientes condiciones: 

  1. Debe ser un número de 128 bits.
  2. Debe tener 36 caracteres (32 caracteres hexadecimales y 4 guiones) de largo.
  3. Debe mostrarse en cinco grupos separados por guiones (-).
  4. Los GUID de Microsoft a veces se representan con llaves alrededor.

Ejemplos: 

Entrada: str = “123e4567-e89b-12d3-a456-9AC7CBDCEE52” 
Salida: verdadero 
Explicación: 
La string dada cumple todas las condiciones mencionadas anteriormente. Por lo tanto, es un GUID (Globally Unique Identifier) ​​válido.
Entrada: str = “123e4567-h89b-12d3-a456-9AC7CBDCEE52” 
Salida: falso 
Explicación: 
La string dada contiene ‘h’, los caracteres hexadecimales válidos deben ir seguidos de un carácter de af, AF y 0-9. Por lo tanto, no es un GUID (identificador único global) válido.
Entrada: str = “123e4567-h89b-12d3-a456” 
Salida: falso 
Explicación: 
La string dada tiene 20 caracteres. Por lo tanto, no es un GUID (identificador único global) válido. 

Enfoque: La idea es usar la expresión regular para resolver este problema. Se pueden seguir los siguientes pasos para calcular la respuesta:

  • Consigue la cuerda.
  • Cree una expresión regular para verificar el GUID (identificador único global) válido como se menciona a continuación:
     

expresión regular = «^[{]?[0-9a-fA-F]{8}-([0-9a-fA-F]{4}-){3}[0-9a-fA-F]{12 ps 

  • Dónde: 
    • ^ representa el comienzo de la string.
    • [{]? representa el carácter ‘{‘ que es opcional.
    • [0-9a-fA-F]{8} representa los 8 caracteres de af, AF y 0-9.
    • representa los guiones.
    • ([0-9a-fA-F]{4}-){3} representa los 4 caracteres de af, AF y 0-9 que se repiten 3 veces separados por un guión (-).
    • [0-9a-fA-F]{12} representa los 12 caracteres de af, AF y 0-9.
    • [}]? representa el carácter ‘}’ que es opcional.
    • $ representa el final de la string.
  • Haga coincidir la string dada con la expresión regular. En Java, esto se puede hacer usando Pattern.matcher() .
  • Devuelve verdadero si la string coincide con la expresión regular dada; de lo contrario, devuelve falso.

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

C++

// C++ program to validate the
// GUID (Globally Unique Identifier) using Regular Expression
#include <iostream>
#include <regex>
using namespace std;
 
// Function to validate the GUID (Globally Unique Identifier).
bool isValidGUID(string str)
{
 
  // Regex to check valid GUID (Globally Unique Identifier).
  const regex pattern("^[{]?[0-9a-fA-F]{8}-([0-9a-fA-F]{4}-){3}[0-9a-fA-F]{12}[}]?$");
 
 
  // If the GUID (Globally Unique Identifier)
  // is empty return false
  if (str.empty())
  {
     return false;
  }
 
  // Return true if the GUID (Globally Unique Identifier)
  // matched the ReGex
  if(regex_match(str, pattern))
  {
    return true;
  }
  else
  {
    return false;
  }
}
 
// Driver Code
int main()
{
  // Test Case 1:
  string str1 = "123e4567-e89b-12d3-a456-9AC7CBDCEE52";
  cout << isValidGUID(str1) << endl;
 
  // Test Case 2:
  string str2 = "{123e4567-e89b-12d3-a456-9AC7CBDCEE52}";
  cout <<  isValidGUID(str2) << endl;
 
  // Test Case 3:
  string str3 = "123e4567-h89b-12d3-a456-9AC7CBDCEE52";
  cout <<  isValidGUID(str3) << endl;
 
  // Test Case 4:
  string str4 = "123e4567-h89b-12d3-a456";
  cout <<  isValidGUID(str4) << endl;
 
  return 0;
}
 
// This code is contributed by yuvraj_chandra

Java

// Java program to validate
// GUID (Globally Unique Identifier)
// using regular expression
 
import java.util.regex.*;
 
class GFG {
 
    // Function to validate
    // GUID (Globally Unique Identifier)
    // using regular expression
    public static boolean
    isValidGUID(String str)
    {
        // Regex to check valid
        // GUID (Globally Unique Identifier)
        String regex
            = "^[{]?[0-9a-fA-F]{8}"
              + "-([0-9a-fA-F]{4}-)"
              + "{3}[0-9a-fA-F]{12}[}]?$";
 
        // Compile the ReGex
        Pattern p = Pattern.compile(regex);
 
        // If the string is empty
        // return false
        if (str == null) {
            return false;
        }
 
        // Find match between given string
        // and regular expression
        // uSing Pattern.matcher()
 
        Matcher m = p.matcher(str);
 
        // Return if the string
        // matched the ReGex
        return m.matches();
    }
 
    // Driver code
    public static void main(String args[])
    {
 
        // Test Case 1:
        String str2
            = "123e4567-e89b-12d3"
              + "-a456-9AC7CBDCEE52";
        System.out.println(
            isValidGUID(str2));
 
        // Test Case 2:
        String str3
            = "{123e4567-e89b-12d3-"
              + "a456-9AC7CBDCEE52}";
        System.out.println(
            isValidGUID(str3));
 
        // Test Case 3:
        String str1
            = "123e4567-h89b-12d3-a456"
              + "-9AC7CBDCEE52";
        System.out.println(
            isValidGUID(str1));
 
        // Test Case 4:
        String str4
            = "123e4567-h89b-12d3-a456";
        System.out.println(
            isValidGUID(str4));
    }
}

Python3

# Python3 program to validate
# GUID (Globally Unique Identifier)
# using regular expression
import re
 
# Function to validate GUID
# (Globally Unique Identifier)
def isValidGUID(str):
 
    # Regex to check valid
    # GUID (Globally Unique Identifier)
    regex = "^[{]?[0-9a-fA-F]{8}" + "-([0-9a-fA-F]{4}-)" + "{3}[0-9a-fA-F]{12}[}]?$"
         
    # Compile the ReGex
    p = re.compile(regex)
 
    # If the string is empty
    # return false
    if (str == None):
        return False
 
    # Return if the string
    # matched the ReGex
    if(re.search(p, str)):
        return True
    else:
        return False
 
# Driver code
 
# Test Case 1:
str1 = "123e4567-e89b-12d3" + "-a456-9AC7CBDCEE52"
print(isValidGUID(str1))
 
# Test Case 2:
str2 = "{123e4567-e89b-12d3-" + "a456-9AC7CBDCEE52}"
print(isValidGUID(str2))
 
# Test Case 3:
str3 = "123e4567-h89b-12d3-a456" + "-9AC7CBDCEE52"
print(isValidGUID(str3))
 
# Test Case 4:
str4 = "123e4567-h89b-12d3-a456"
print(isValidGUID(str4))
 
# This code is contributed by avanitrachhadiya2155
Producción: 

true
true
false
false

 

Publicación traducida automáticamente

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