Group
File Handling in C#
Objective
1. The program will prompt the user for the name of the text file.
2. The file will be opened and read.
3. The program will split the content into words and count them.
4. The word count will be displayed to the user.
5. If the file does not exist, the program will notify the user with an error message.
Create a C# program to count the amount of words stored in a text file.
Example C# Exercise
Show C# Code
using System;
using System.IO;
using System.Text.RegularExpressions;
class WordCountProgram
{
// Main method that starts the word counting program
static void Main(string[] args)
{
// Ask the user for the name of the text file
Console.WriteLine("Please enter the name of the text file to count words:");
// Read the name of the text file from the user
string fileName = Console.ReadLine();
try
{
// Open the file for reading using StreamReader
using (StreamReader reader = new StreamReader(fileName))
{
// Read the entire content of the file
string content = reader.ReadToEnd();
// Use a regular expression to match words
// A word is defined as any sequence of letters, numbers, or underscores
string pattern = @"\b\w+\b";
MatchCollection matches = Regex.Matches(content, pattern);
// The number of words is the number of matches found by the regex
int wordCount = matches.Count;
// Display the total word count to the user
Console.WriteLine($"The file contains {wordCount} words.");
}
}
catch (FileNotFoundException)
{
// If the file is not found, show an error message
Console.WriteLine("Error: The specified file could not be found.");
}
catch (Exception ex)
{
// Handle any other unexpected errors
Console.WriteLine("An error occurred: " + ex.Message);
}
}
}
Output
//If the input file example.txt contains the following text:
Hello, this is a simple text file. It contains several words.
//The output will be:
The file contains 8 words.