Group
File Handling in C#
Objective
1. Open the original text file and the file containing the list of words to censor.
2. Read the content of the text file and check each word against the list of censored words.
3. Replace any occurrence of a censored word with "[CENSORED]".
4. Write the modified content to a new text file.
5. Ensure that the program handles cases where the words in the original file are in different cases (e.g., "word" and "Word").
6. After running the program, you should find the original text with the censored words replaced by "[CENSORED]" in the new text file.
Create a program to censor text files. It should read a text file and dump its results to a new text file, replacing certain words with "[CENSORED]". The words to censor will be stored in a second data file, a text file that will contain one word per line.
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic;
using System.IO;
class TextCensor
{
// Main method to execute the program
static void Main(string[] args)
{
// Define the paths for the input text file and the file containing censored words
string inputFilePath = "input.txt"; // Path to the original text file
string censorFilePath = "censored_words.txt"; // Path to the file containing words to censor
// Read the list of words to censor from the censor file
HashSet censoredWords = new HashSet(StringComparer.OrdinalIgnoreCase);
foreach (string line in File.ReadLines(censorFilePath))
{
censoredWords.Add(line.Trim());
}
// Open the original text file for reading
string[] lines = File.ReadAllLines(inputFilePath);
// Open a new file to write the censored text
using (StreamWriter writer = new StreamWriter("output.txt"))
{
// Process each line in the input file
foreach (string line in lines)
{
// Split the line into words
string[] words = line.Split(' ');
// Check each word in the line
for (int i = 0; i < words.Length; i++)
{
// If the word is in the censored list, replace it with "[CENSORED]"
if (censoredWords.Contains(words[i]))
{
words[i] = "[CENSORED]";
}
}
// Join the modified words back into a line and write to the output file
writer.WriteLine(string.Join(" ", words));
}
}
// Inform the user that the operation is complete
Console.WriteLine("Text has been censored and saved to output.txt");
}
}
Output
//Output (Assuming the input file contains: "The quick brown fox jumps over the lazy dog."):
Text has been censored and saved to output.txt
//Contents of output.txt (if "fox" and "dog" were in the censored list):
The quick brown [CENSORED] jumps over the lazy [CENSORED].