Group
File Handling in C#
Objective
1. The program expects two file paths as command-line arguments.
2. It will compare the files byte by byte to check if they are identical.
3. If the files are identical, the program will inform the user that the files match.
4. If the files are different, the program will inform the user and display the byte position where the mismatch occurred.
Example usage:
compareFiles file1.txt file2.txt
Create a C# program to tell if two files (of any kind) are identical (have the same content).
Example C# Exercise
Show C# Code
using System;
using System.IO;
class FileComparison
{
// Main method where the program starts execution
static void Main(string[] args)
{
// Check if two file paths have been provided as arguments
if (args.Length != 2)
{
Console.WriteLine("Usage: compareFiles ");
return;
}
// Get the file paths from the command line arguments
string file1 = args[0];
string file2 = args[1];
// Check if both files exist
if (!File.Exists(file1))
{
Console.WriteLine($"The file {file1} does not exist.");
return;
}
if (!File.Exists(file2))
{
Console.WriteLine($"The file {file2} does not exist.");
return;
}
// Open the files for reading
using (FileStream fs1 = new FileStream(file1, FileMode.Open, FileAccess.Read),
fs2 = new FileStream(file2, FileMode.Open, FileAccess.Read))
{
// Check if the files have the same length
if (fs1.Length != fs2.Length)
{
Console.WriteLine("The files are not identical (different sizes).");
return;
}
// Compare the files byte by byte
bool filesAreIdentical = true;
int bytePosition = 0;
while (fs1.Position < fs1.Length)
{
// Read a byte from both files
int byte1 = fs1.ReadByte();
int byte2 = fs2.ReadByte();
// Check if the bytes are the same
if (byte1 != byte2)
{
filesAreIdentical = false;
Console.WriteLine($"Files differ at byte position {bytePosition}. File1 has byte {byte1}, File2 has byte {byte2}.");
break;
}
bytePosition++;
}
// Inform the user if the files are identical
if (filesAreIdentical)
{
Console.WriteLine("The files are identical.");
}
}
}
}
Output
//Case 1 - Files are identical:
//For the command:
compareFiles file1.txt file2.txt
//Output:
The files are identical.
//Case 2 - Files are different:
//For the command:
compareFiles file1.txt file2.txt
//Output (if the files differ at byte position 100):
Files differ at byte position 100. File1 has byte 65, File2 has byte 66.