Grupo
Manejo de archivos en C#
Objectivo
1. El programa lee el encabezado de una imagen PCX.
2. Comprueba si el archivo es una imagen PCX válida verificando el ID y la versión.
3. El programa extrae los valores Xmin, Ymin, Xmax e Ymax del encabezado para calcular el ancho y la altura de la imagen.
4. El ancho se calcula como Xmax - Xmin + 1 y la altura como Ymax - Ymin + 1.
5. Si el archivo es una imagen PCX válida, se mostrarán su ancho y altura. De lo contrario, se mostrará un mensaje de error.
Ejemplo de uso:
checkPcxImage image.pcx
Cree un programa que compruebe si un archivo es una imagen PCX y, de ser así, muestre su ancho y altura según las especificaciones del formato PCX.
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
using System.IO;
class PcxImageChecker
{
// 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: checkPcxImage ");
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 (FileStream fs = new FileStream(fileName, FileMode.Open, FileAccess.Read))
{
// Read the first byte to check the file ID (should be 10 for PCX)
byte id = (byte)fs.ReadByte();
if (id != 10) // 10 indicates that it's a valid PCX file
{
Console.WriteLine("Not a valid PCX file.");
return;
}
// Skip version, encoding, and bits per pixel (we are only interested in the coordinates)
fs.Seek(4, SeekOrigin.Begin);
// Read Xmin, Ymin, Xmax, Ymax (4 bytes in total)
byte[] coordinates = new byte[4];
fs.Read(coordinates, 0, 4);
// Extract Xmin, Ymin, Xmax, Ymax values from the byte array
int Xmin = coordinates[0];
int Ymin = coordinates[1];
int Xmax = coordinates[2];
int Ymax = coordinates[3];
// Calculate the width and height of the image
int width = Xmax - Xmin + 1;
int height = Ymax - Ymin + 1;
// Display the width and height of the image
Console.WriteLine($"This is a valid PCX image.");
Console.WriteLine($"Width: {width} pixels");
Console.WriteLine($"Height: {height} pixels");
}
}
catch (Exception ex)
{
Console.WriteLine($"Error reading the file: {ex.Message}");
}
}
}
Output
//Case 1 - Valid PCX Image:
//For the command:
checkPcxImage image.pcx
//Output:
This is a valid PCX image.
Width: 100 pixels
Height: 200 pixels
//Case 2 - Invalid File (Not a PCX Image):
//For the command:
checkPcxImage invalidFile.txt
//Output:
Not a valid PCX file.
Código de ejemplo copiado
Comparte este ejercicio de C#