Group
File Handling in C#
Objective
1. The user will input the name of the text file to read.
2. The program will read the entire content of the specified text file.
3. All lowercase letters will be converted to uppercase.
4. The modified content will be written to a new file, with the same name but appended with ".out".
5. Ensure proper handling of file reading and writing operations.
Write a program to read a text file and dump its content to another file, changing the lowercase letters to uppercase.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class UppercaseConverter
{
// Main method to execute the program
static void Main(string[] args)
{
// Ask the user for the name of the input text file
Console.WriteLine("Enter the name of the text file to read:");
// Get the input file name
string inputFileName = Console.ReadLine();
// Generate the output file name (append ".out" to the original file name)
string outputFileName = Path.ChangeExtension(inputFileName, ".out");
try
{
// Read all the content of the input file
string content = File.ReadAllText(inputFileName);
// Convert all lowercase letters to uppercase
string upperCaseContent = content.ToUpper();
// Write the modified content to the new output file
File.WriteAllText(outputFileName, upperCaseContent);
// Inform the user that the process is complete
Console.WriteLine("The file has been processed. The output is saved in: " + outputFileName);
}
catch (FileNotFoundException)
{
// Handle the case where the input file doesn't exist
Console.WriteLine("Error: The specified file was not found.");
}
catch (Exception ex)
{
// Handle other unexpected errors
Console.WriteLine("An error occurred: " + ex.Message);
}
}
}
Output
//If the input file example.txt contains:
Hello, this is a test file with mixed CASE letters.
//The output file example.out will contain:
HELLO, THIS IS A TEST FILE WITH MIXED CASE LETTERS.