Mostrar El Ancho Y La Altura De Un Archivo BMP Usando Binaryreader En C#

Este programa está diseñado para leer un archivo de imagen BMP (mapa de bits) y mostrar su ancho y alto. El formato de archivo BMP tiene una estructura de encabezado específica que contiene información importante sobre la imagen, como su tamaño, resolución y dimensiones. Mediante un lector binario, el programa accederá al contenido binario del archivo BMP y extraerá los valores de ancho y alto del encabezado.

El programa abre el archivo BMP y lee los datos binarios en los desplazamientos de bytes específicos correspondientes al ancho y alto. El programa mostrará estos valores al usuario, indicando las dimensiones de la imagen BMP.



Grupo

Manejo de archivos en C#

Objectivo

1. El programa solicitará al usuario el nombre del archivo BMP.
2. Abrirá el archivo BMP en modo binario con BinaryReader.
3. El programa leerá los bytes específicos que corresponden al ancho y alto de la imagen.
4. Mostrará el ancho y alto de la imagen en píxeles.
5. Si no se encuentra el archivo o no es un archivo BMP válido, el programa gestionará los errores adecuadamente.

Cree un programa en C# para mostrar el ancho y alto de un archivo BMP con BinaryReader.

Ejemplo de ejercicio en C#

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

class BMPDimensions
{
    // Main method that runs the program
    static void Main(string[] args)
    {
        // Ask the user for the name of the BMP file
        Console.WriteLine("Please enter the name of the BMP file:");

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

        try
        {
            // Open the file in binary mode using BinaryReader
            using (BinaryReader reader = new BinaryReader(File.Open(fileName, FileMode.Open)))
            {
                // Check if the file starts with "BM" (this indicates it's a BMP file)
                reader.BaseStream.Seek(0, SeekOrigin.Begin); // Move to the start of the file
                byte[] fileType = reader.ReadBytes(2); // Read the first two bytes

                // If the file type is not "BM", it's not a valid BMP file
                if (fileType[0] != 0x42 || fileType[1] != 0x4D)
                {
                    Console.WriteLine("This is not a valid BMP file.");
                    return;
                }

                // Read the width (bytes 18-21)
                reader.BaseStream.Seek(18, SeekOrigin.Begin);
                int width = reader.ReadInt32(); // Read the width value

                // Read the height (bytes 22-25)
                reader.BaseStream.Seek(22, SeekOrigin.Begin);
                int height = reader.ReadInt32(); // Read the height value

                // Display the width and height of the BMP image
                Console.WriteLine($"Width: {width} pixels");
                Console.WriteLine($"Height: {height} pixels");
            }
        }
        catch (FileNotFoundException)
        {
            // Handle file not found error
            Console.WriteLine("Error: The specified BMP file could not be found.");
        }
        catch (Exception ex)
        {
            // Handle other unexpected errors
            Console.WriteLine("An error occurred: " + ex.Message);
        }
    }
}

 Output

//If the user enters image.bmp, and the file contains the following data at the relevant positions:
Width: 800 pixels (position 18-21)
Height: 600 pixels (position 22-25)

//The output would be:
Please enter the name of the BMP file:
image.bmp
Width: 800 pixels
Height: 600 pixels

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