Group
File Handling in C#
Objective
1. The program will prompt the user for the name of the text file to be converted.
2. The program will read the contents of the text file.
3. It will generate an HTML file with the same name as the text file but with a ".html" extension.
4. The content of the text file will be placed within the
of the HTML file, with each line wrapped in a tag.
5. The "title" of the HTML file will be set to the name of the text file (without the ".txt" extension).
6. If the file is not found or there is an error, appropriate messages will be shown.
Create a "Text to HTML converter", which will read a source text file and create an HTML file from its contents. For example, if the file contains:
Hola
Soy yo
Ya he terminado
The name of the destination file must be the same as the source file, but with ".html" extension (which will replace the original ".txt" extension, if it exists). The "title" in the "head" must be taken from the file name.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class TextToHtmlConverter
{
// Main method to run the program
static void Main(string[] args)
{
// Ask the user to enter the name of the text file
Console.WriteLine("Please enter the name of the text file:");
// Read the name of the text file from the user input
string fileName = Console.ReadLine();
try
{
// Check if the file has a ".txt" extension
if (!fileName.EndsWith(".txt"))
{
Console.WriteLine("Error: The file must have a .txt extension.");
return;
}
// Open the text file for reading
string[] lines = File.ReadAllLines(fileName);
// Create the output HTML file with the same name, but with a ".html" extension
string htmlFileName = Path.ChangeExtension(fileName, ".html");
// Open the HTML file for writing
using (StreamWriter writer = new StreamWriter(htmlFileName))
{
// Write the opening HTML tags and the title based on the file name (without ".txt")
writer.WriteLine("");
writer.WriteLine("");
writer.WriteLine($"{Path.GetFileNameWithoutExtension(fileName)}");
writer.WriteLine("");
writer.WriteLine("");
// Write each line from the text file as a paragraph in the HTML file
foreach (string line in lines)
{
writer.WriteLine($"{line}
");
}
// Close the body and HTML tags
writer.WriteLine("");
writer.WriteLine("");
}
// Inform the user that the HTML file has been created
Console.WriteLine($"HTML file '{htmlFileName}' has been created successfully.");
}
catch (FileNotFoundException)
{
// Handle file not found error
Console.WriteLine("Error: The specified text file could not be found.");
}
catch (Exception ex)
{
// Handle other unexpected errors
Console.WriteLine("An error occurred: " + ex.Message);
}
}
}
Output
//If the user enters example.txt and the file contains the following lines:
Hola
Soy yo
Ya he terminado
//The program will create a file named example.html with the following content:
<html>
<head>
<title>example</title>
</head>
<body>
<p>Hola</p>
<p>Soy yo</p>
<p>Ya he terminado</p>
</body>
</html>