Grupo
Clases avanzadas en C#
Objectivo
1. Cree una clase llamada Encrypter.
2. Implemente un método estático, Encrypt, que avance cada carácter una posición en la tabla ASCII.
3. Implemente un método estático, Decrypt, que retroceda cada carácter una posición en la tabla ASCII.
4. En el método Main, muestre el proceso de cifrado y descifrado con un texto de ejemplo.
5. Muestre los textos original, cifrado y descifrado.
Cree una clase "Encrypter" para cifrar y descifrar texto.
Esta clase tendrá un método "Encrypt", que recibirá una cadena y devolverá otra. Será un método estático, por lo que no es necesario crear ningún objeto de tipo "Encrypter".
También habrá un método "Decrypt".
En este primer enfoque, el método de cifrado será muy simple: para cifrar, sumaremos 1 a cada carácter, de modo que "Hello" se convierta en "Ifmmp", y para descifrar, restaremos 1 a cada carácter. Un ejemplo de uso podría ser:
string newText = Encrypter.Encrypt("Hola");
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
// Class to perform basic encryption and decryption
class Encrypter
{
// Static method to encrypt a string by shifting each character forward by 1
public static string Encrypt(string text)
{
char[] encryptedText = new char[text.Length];
// Loop through each character and shift it forward in ASCII
for (int i = 0; i < text.Length; i++)
{
encryptedText[i] = (char)(text[i] + 1);
}
// Return the encrypted text as a new string
return new string(encryptedText);
}
// Static method to decrypt a string by shifting each character backward by 1
public static string Decrypt(string text)
{
char[] decryptedText = new char[text.Length];
// Loop through each character and shift it backward in ASCII
for (int i = 0; i < text.Length; i++)
{
decryptedText[i] = (char)(text[i] - 1);
}
// Return the decrypted text as a new string
return new string(decryptedText);
}
}
// Main program
class Program
{
static void Main()
{
// Original text to be encrypted
string originalText = "Hello";
// Encrypt the text
string encryptedText = Encrypter.Encrypt(originalText);
// Decrypt the text
string decryptedText = Encrypter.Decrypt(encryptedText);
// Display the results
Console.WriteLine("Original text: " + originalText);
Console.WriteLine("Encrypted text: " + encryptedText);
Console.WriteLine("Decrypted text: " + decryptedText);
}
}
Output
Original text: Hello
Encrypted text: Ifmmp
Decrypted text: Hello
Código de ejemplo copiado
Comparte este ejercicio de C#