Group
File Handling in C#
Objective
1. Create a class TextToHtml to store and manage text data.
2. Implement a method Add to add text to an internal array.
3. Implement a Display method to show the stored text in HTML format.
4. Implement a method ToFile to save the HTML-formatted text to a specified file using StreamWriter.
5. Ensure that the text is properly written in HTML format.
Create a program to expand the TextToHtml class, so that it can dump its result to a text file. Create a method ToFile, which will receive the name of the file as a parameter.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class TextToHtml
{
// Array to store entered lines of text
private string[] texts = new string[10];
private int count = 0;
// Method to add a new string to the array
public void Add(string text)
{
if (count < texts.Length)
{
texts[count] = text;
count++; // Increment the counter after adding text
}
}
// Method to display the texts in HTML format
public void Display()
{
Console.WriteLine("");
Console.WriteLine("");
foreach (var text in texts)
{
if (text != null)
{
Console.WriteLine("" + text + "
");
}
}
Console.WriteLine("");
Console.WriteLine("");
}
// Method to save the HTML content to a file
public void ToFile(string fileName)
{
// Use StreamWriter to write the content to a file
try
{
using (StreamWriter writer = new StreamWriter(fileName))
{
writer.WriteLine("");
writer.WriteLine("");
foreach (var text in texts)
{
if (text != null)
{
writer.WriteLine("" + text + "
");
}
}
writer.WriteLine("");
writer.WriteLine("");
}
Console.WriteLine("HTML content has been saved to " + fileName);
}
catch (Exception ex)
{
Console.WriteLine("Error writing to file: " + ex.Message);
}
}
}
class Program
{
static void Main()
{
// Create an instance of the TextToHtml class
TextToHtml textToHtml = new TextToHtml();
// Adding some text
textToHtml.Add("Hello, World!");
textToHtml.Add("This is a test.");
textToHtml.Add("Here is another line.");
// Display the content as HTML
textToHtml.Display();
// Save the HTML content to a file
textToHtml.ToFile("sentences.html");
}
}
Output
<html>
<body>
<p>Hello, World!</p>
<p>This is a test.</p>
<p>Here is another line.</p>
</body>
</html>
HTML content has been saved to sentences.html