Group
File Handling in C#
Objective
1. Prompt the user for the file path of the BMP image.
2. Open the BMP file using a FileStream in read mode.
3. Navigate to the specific byte positions in the file to retrieve the width and height.
4. Convert the byte values to integer values to represent the width and height.
5. Display the width and height values on the console.
Create a C# program to display the width and height of a BMP file using a FileStream.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class BMPInfoExtractor
{
// Main method to run the program
static void Main(string[] args)
{
// Prompt the user for the file path of the BMP image
Console.WriteLine("Please enter the file path of the BMP image:");
// Read the file path from user input
string filePath = Console.ReadLine();
try
{
// Open the BMP file using FileStream in read mode
using (FileStream fileStream = new FileStream(filePath, FileMode.Open, FileAccess.Read))
{
// Check if the file is a BMP file by reading the first two bytes (BM)
byte[] fileType = new byte[2];
fileStream.Read(fileType, 0, 2);
// If the file is not a BMP, display an error message
if (fileType[0] != 'B' || fileType[1] != 'M')
{
Console.WriteLine("The file is not a valid BMP file.");
return;
}
// Move the file pointer to the width field (bytes 18-21)
fileStream.Seek(18, SeekOrigin.Begin);
// Read the width (4 bytes)
byte[] widthBytes = new byte[4];
fileStream.Read(widthBytes, 0, 4);
// Convert the byte array to an integer representing the width
int width = BitConverter.ToInt32(widthBytes, 0);
// Move the file pointer to the height field (bytes 22-25)
fileStream.Seek(22, SeekOrigin.Begin);
// Read the height (4 bytes)
byte[] heightBytes = new byte[4];
fileStream.Read(heightBytes, 0, 4);
// Convert the byte array to an integer representing the height
int height = BitConverter.ToInt32(heightBytes, 0);
// Display the width and height of the BMP image
Console.WriteLine($"Width: {width} pixels");
Console.WriteLine($"Height: {height} pixels");
}
}
catch (Exception ex)
{
// Handle any errors that may occur while opening or reading the file
Console.WriteLine("An error occurred: " + ex.Message);
}
}
}
Output
Please enter the file path of the BMP image:
image.bmp
Width: 800 pixels
Height: 600 pixels