Descodificador De Imágenes Netpbm En C#

Este programa en C# decodifica un archivo de imagen Netpbm (específicamente el tipo "P1") y muestra su contenido en la consola. El programa lee el encabezado, las dimensiones y los datos de píxeles del archivo de imagen y, a continuación, representa la imagen en la consola utilizando 1 para píxeles negros y 0 para píxeles blancos. El programa está diseñado para gestionar una línea de comentario opcional en el archivo, que se ignora durante el procesamiento.



Grupo

Manejo de archivos en C#

Objectivo

1. El programa leerá un archivo de imagen en formato Netpbm "P1".
2. Ignorará las líneas de comentario que comiencen con #.
3. Leerá el ancho y el alto de la imagen.
4. Mostrará la imagen en la consola, usando 0 para píxeles blancos y 1 para píxeles negros.
5. La imagen se imprimirá con las filas y columnas correspondientes a los datos de píxeles del archivo.

Ejemplo de uso:

decodePbm j.pbm


El formato Netpbm es una familia de formatos de archivo de imagen diseñados para la simplicidad, en lugar de para un tamaño pequeño. Pueden representar imágenes en color, en escala de grises o en blanco y negro mediante texto plano (aunque existe una variante binaria).

Ejemplo de ejercicio en C#

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

class NetpbmDecoder
{
    // Main method where the program starts execution
    static void Main(string[] args)
    {
        // Check if the user provided a filename as a command line argument
        if (args.Length != 1)
        {
            Console.WriteLine("Usage: decodePbm ");
            return;
        }

        // Get the file path from the command line argument
        string fileName = args[0];

        // Try to read the file
        try
        {
            // Open the file for reading
            using (StreamReader reader = new StreamReader(fileName))
            {
                // Read the magic number (P1) from the file
                string magicNumber = reader.ReadLine();
                if (magicNumber != "P1")
                {
                    Console.WriteLine("Invalid file format. The file is not a valid P1 Netpbm image.");
                    return;
                }

                // Read the comment lines and ignore them if they start with #
                string line;
                while ((line = reader.ReadLine()) != null && line.StartsWith("#"))
                {
                    // Skip comment lines
                }

                // Read the width and height of the image
                string[] dimensions = line.Split(' ');
                int width = int.Parse(dimensions[0]);
                int height = int.Parse(dimensions[1]);

                // Create a 2D array to store the pixel data
                int[,] image = new int[height, width];

                // Read the image data
                int row = 0;
                while ((line = reader.ReadLine()) != null)
                {
                    string[] pixels = line.Split(' ');
                    for (int col = 0; col < width; col++)
                    {
                        image[row, col] = int.Parse(pixels[col]);
                    }
                    row++;
                }

                // Display the image in the console
                Console.Clear();
                for (int r = 0; r < height; r++)
                {
                    for (int c = 0; c < width; c++)
                    {
                        // Display black (1) or white (0) pixels
                        Console.Write(image[r, c] == 1 ? "1" : "0");
                    }
                    Console.WriteLine(); // Move to the next line
                }
            }
        }
        catch (Exception ex)
        {
            Console.WriteLine($"Error reading the file: {ex.Message}");
        }
    }
}

 Output

//Case 1 - Valid image:

//For the command:
decodePbm j.pbm

//Output:
000010
000010
000010
000010
000010
000010
100010
011100
000000
000000

//This would represent the letter "J" in a 6x10 grid, where 1 represents black pixels and 0 represents white pixels.

//Case 2 - Invalid or non-existent file:

//If the file doesn't exist or isn't a valid P1 format, the output might look like:
Usage: decodePbm 
Invalid file format. The file is not a valid P1 Netpbm image.

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