Group
File Handling in C#
Objective
1. The program reads a binary file byte by byte.
2. It filters out characters whose ASCII codes are not between 32 and 127, or not equal to 10 or 13.
3. The extracted alphabetic characters are written to a new text file.
4. The program handles errors such as missing input files or issues with file writing.
Example usage:
extractAlphaChars inputFile.bin outputFile.txt
Create a program that extracts only the alphabetic characters contained in a binary file and dumps them to a separate file. The extracted characters should be those whose ASCII code is between 32 and 127, or equal to 10 or 13.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class AlphabeticExtractor
{
// Main method where the program starts execution
static void Main(string[] args)
{
// Check if the user provided the input and output filenames as command line arguments
if (args.Length != 2)
{
Console.WriteLine("Usage: extractAlphaChars ");
return;
}
// Get the input and output file paths from the command line arguments
string inputFile = args[0];
string outputFile = args[1];
try
{
// Open the input binary file for reading
using (FileStream input = new FileStream(inputFile, FileMode.Open, FileAccess.Read))
{
// Open the output text file for writing
using (StreamWriter output = new StreamWriter(outputFile))
{
// Read the file byte by byte
int byteRead;
while ((byteRead = input.ReadByte()) != -1)
{
// Check if the byte is a printable character or line feed/carriage return
if ((byteRead >= 32 && byteRead <= 127) || byteRead == 10 || byteRead == 13)
{
// Write the printable character to the output file
output.Write((char)byteRead);
}
}
}
}
Console.WriteLine("Alphabetic characters have been extracted to " + outputFile);
}
catch (Exception ex)
{
// If there was an error, display the error message
Console.WriteLine($"Error: {ex.Message}");
}
}
}
Output
//Case 1 - Successful Extraction:
//For the command:
extractAlphaChars inputFile.bin outputFile.txt
//Output:
Alphabetic characters have been extracted to outputFile.txt
//Case 2 - Error (File Not Found):
//For the command:
extractAlphaChars nonExistentFile.bin outputFile.txt
//Output:
Error: The system cannot find the file specified.