Exercise
Text replacer
Objetive
Create a program to replace words in a text file, saving the result into a new file.
The file, the word to search and word to replace it with must be given as parameters:
replace file.txt hello goodbye
The new file would be named "file.txt.out" and contain all the appearances of "hello" replaced by "goodbye".
Example Code
using System;
using System.IO;
public class TextReplacer
{
public static void ReplaceWords(string filePath, string searchWord, string replaceWord)
{
string outputFilePath = filePath + ".out";
using (StreamReader reader = new StreamReader(filePath))
using (StreamWriter writer = new StreamWriter(outputFilePath))
{
while (!reader.EndOfStream)
{
string line = reader.ReadLine();
string modifiedLine = line.Replace(searchWord, replaceWord);
writer.WriteLine(modifiedLine);
}
}
Console.WriteLine($"The modified file has been saved as {outputFilePath}");
}
}
public class Program
{
public static void Main(string[] args)
{
if (args.Length != 3)
{
Console.WriteLine("Usage: replace ");
return;
}
string filePath = args[0];
string searchWord = args[1];
string replaceWord = args[2];
if (File.Exists(filePath))
{
TextReplacer.ReplaceWords(filePath, searchWord, replaceWord);
}
else
{
Console.WriteLine("The specified file does not exist.");
}
}
}