Utilidad De Visor Hexadecimal: Utilidad De Volcado En C#

Este programa de C# es una utilidad de volcado que funciona como un visor hexadecimal. Muestra el contenido de un archivo en formato hexadecimal, con 16 bytes en cada fila y 24 filas en cada pantalla. El programa se pausa después de mostrar cada pantalla para que el usuario pueda ver el contenido antes de mostrar el siguiente conjunto de filas. Los caracteres ASCII no imprimibles (código ASCII menor que 32) se representan con un punto (".") en la sección de visualización de caracteres, y los valores hexadecimales se muestran en la primera parte de la fila. Esta utilidad es útil para inspeccionar archivos binarios, como ejecutables, archivos de datos, etc.



Grupo

Manejo de archivos en C#

Objectivo

1. Proporcione el nombre del archivo al programa cuando se le solicite.
2. El programa leerá el archivo y mostrará su contenido en formato hexadecimal.
3. Cada fila mostrará 16 bytes en hexadecimal, seguidos de sus caracteres ASCII correspondientes.
4. Los bytes con código ASCII menor a 32 se mostrarán como un punto.
5. Después de mostrar 24 filas (16 bytes por fila), el programa se pausará y esperará a que el usuario presione una tecla para mostrar las siguientes 24 filas.
6. Para salir del programa, presione 'q' cuando se le solicite tras mostrar la pantalla final de contenido.

Cree una utilidad de volcado: un visor hexadecimal que muestra el contenido de un archivo, con 16 bytes en cada fila y 24 filas en cada pantalla. El programa debe pausarse después de mostrar cada pantalla antes de mostrar las siguientes 24 filas.

Ejemplo de ejercicio en C#

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

class HexViewerUtility
{
    // Main method that begins execution of the program
    static void Main(string[] args)
    {
        // Prompt the user to enter the file name
        Console.Write("Enter the file name: ");
        string fileName = Console.ReadLine();

        // Check if the file exists
        if (!File.Exists(fileName))
        {
            Console.WriteLine("File does not exist.");
            return;
        }

        // Open the file for reading
        byte[] fileBytes = File.ReadAllBytes(fileName);
        int totalBytes = fileBytes.Length;

        int bytesPerRow = 16; // Number of bytes to display per row
        int rowsPerScreen = 24; // Number of rows to display per screen

        int screenCount = (int)Math.Ceiling((double)totalBytes / (bytesPerRow * rowsPerScreen));

        // Loop through each screen
        for (int screen = 0; screen < screenCount; screen++)
        {
            Console.Clear(); // Clear the console for the next screen

            // Loop through each row in the screen
            for (int row = 0; row < rowsPerScreen; row++)
            {
                int offset = (screen * rowsPerScreen + row) * bytesPerRow;

                if (offset >= totalBytes) break; // Exit if we reach the end of the file

                // Display the hexadecimal bytes in this row
                for (int byteIndex = 0; byteIndex < bytesPerRow; byteIndex++)
                {
                    if (offset + byteIndex < totalBytes)
                    {
                        Console.Write($"{fileBytes[offset + byteIndex]:X2} "); // Print byte in hexadecimal format
                    }
                    else
                    {
                        Console.Write("   "); // Padding if we don't have 16 bytes for this row
                    }
                }

                Console.Write("  "); // Space between hex and ASCII parts

                // Display the corresponding ASCII characters in this row
                for (int byteIndex = 0; byteIndex < bytesPerRow; byteIndex++)
                {
                    if (offset + byteIndex < totalBytes)
                    {
                        char currentChar = (char)fileBytes[offset + byteIndex];
                        Console.Write(currentChar >= 32 && currentChar <= 126 ? currentChar : '.'); // Replace non-printable characters with a dot
                    }
                    else
                    {
                        Console.Write(" "); // Padding for missing bytes in this row
                    }
                }

                Console.WriteLine(); // Move to the next line after this row
            }

            // Pause after displaying each screen
            if (screen < screenCount - 1)
            {
                Console.WriteLine("\nPress any key to view the next screen...");
                Console.ReadKey();
            }
        }

        Console.WriteLine("End of file display.");
    }
}

 Output

//Case 1 - Displaying File Content:

//Assume the file contains the following byte sequence:
48 65 6C 6C 6F 20 57 6F 72 6C 64 0A 0D

//The program will display:
48 65 6C 6C 6F 20 57 6F 72 6C 64 0A 0D  . . . . . . . . . . . . .

//After showing 24 rows of data, the program will pause, and the user can press any key to continue viewing the next set of data.

//Case 2 - File Does Not Exist:

//For the command:
Enter the file name: nonExistentFile.bin

//Output:
File does not exist.

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#..