Programa De Cifrado De Archivos De Texto En C#

Este programa está diseñado para cifrar un archivo de texto y guardar el contenido cifrado en otro archivo de texto. El método de cifrado utilizado consiste en una técnica simple de desplazamiento de caracteres, donde cada carácter del archivo se desplaza un número específico de posiciones en la tabla ASCII. El usuario puede proporcionar el nombre del archivo de entrada y el valor de desplazamiento, y el programa generará una versión cifrada del archivo con el mismo nombre, pero con la extensión ".enc".

El programa utiliza técnicas básicas de lectura y escritura de archivos con StreamReader y StreamWriter para gestionar los archivos de texto. El proceso de cifrado implica leer el contenido del archivo de entrada, aplicar el cifrado a cada carácter y escribir el resultado en el nuevo archivo.



Grupo

Manejo de archivos en C#

Objectivo

1. El programa solicita al usuario el nombre del archivo de entrada y el valor de desplazamiento para el cifrado.
2. Se lee el contenido del archivo de entrada y cada carácter se cifra desplazando su valor ASCII por el número especificado.
3. El contenido cifrado se escribe en un nuevo archivo de texto con ".enc" añadido al nombre del archivo original.
4. Si el archivo de entrada no existe, se mostrará un mensaje de error.

Cree un programa para cifrar un archivo de texto y convertirlo en otro.

Ejemplo de ejercicio en C#

 Copiar código C#
using System;
using System.IO;

class TextFileEncryption
{
    // Main method to execute the encryption program
    static void Main(string[] args)
    {
        // Ask the user for the input file name
        Console.WriteLine("Please enter the name of the text file to encrypt:");

        // Read the name of the input file from the user
        string inputFileName = Console.ReadLine();

        // Ask the user for the shift value to use for encryption
        Console.WriteLine("Please enter the shift value for encryption:");
        int shiftValue = int.Parse(Console.ReadLine());

        // Generate the name of the output file by appending ".enc"
        string outputFileName = Path.GetFileNameWithoutExtension(inputFileName) + ".enc" + Path.GetExtension(inputFileName);

        try
        {
            // Open the input file for reading
            using (StreamReader reader = new StreamReader(inputFileName))
            {
                // Open the output file for writing
                using (StreamWriter writer = new StreamWriter(outputFileName))
                {
                    // Read the entire content of the input file
                    string fileContent = reader.ReadToEnd();

                    // Loop through each character in the content and apply encryption
                    foreach (char c in fileContent)
                    {
                        // Encrypt the character by shifting its ASCII value
                        char encryptedChar = (char)(c + shiftValue);

                        // Write the encrypted character to the output file
                        writer.Write(encryptedChar);
                    }

                    // Notify the user that the encryption was successful
                    Console.WriteLine($"The file has been successfully encrypted and saved to {outputFileName}");
                }
            }
        }
        catch (FileNotFoundException)
        {
            // If the file is not found, inform the user
            Console.WriteLine("Error: The specified file could not be found.");
        }
        catch (Exception ex)
        {
            // Handle any other unexpected errors
            Console.WriteLine("An error occurred: " + ex.Message);
        }
    }
}

 Output

//If the input file example.txt contains the following text:
Hello, World!

//And the shift value provided by the user is 3, the output file example.enc will contain the following encrypted text:
Khoor, Zruog!

Comparte este ejercicio de C#

Practica más ejercicios C# de Manejo de archivos en C#

¡Explora nuestro conjunto de ejercicios de práctica de C#! Diseñados específicamente para principiantes, estos ejercicios te ayudarán a desarrollar una sólida comprensión de los fundamentos de C#. Desde variables y tipos de datos hasta estructuras de control y funciones simples, cada ejercicio está diseñado para desafiarte gradualmente a medida que adquieres confianza en la programación en C#..