Group
File Handling in C#
Objective
1. Implement a Logger class with a static Write method.
2. The Write method should accept two parameters: the file name and the text to log.
3. The method must prepend the current date and time before the text.
4. Use AppendText to ensure the text is appended to the log file without overwriting existing content.
5. Use DateTime.Now to get the current date and time.
6. Test the functionality by calling Write to log different messages.
Create a class Logger, with a static method Write, which will append a certain text to a file: Logger.Write("myLog.txt", "This text is being logged"). It must also include the current date and time before the text (in the same line), so that the log file is easier to analyze.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class Logger
{
// Static method to write a log entry to a file
public static void Write(string fileName, string message)
{
// Get the current date and time
string dateTime = DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss");
// Open the file and append the message with the current date and time
try
{
// Use StreamWriter with AppendText to ensure text is added to the end of the file
using (StreamWriter writer = File.AppendText(fileName))
{
// Write the date, time, and message to the file
writer.WriteLine($"{dateTime} - {message}");
}
Console.WriteLine("Log entry added successfully.");
}
catch (Exception ex)
{
// Handle any errors that might occur when writing to the file
Console.WriteLine("Error writing to log file: " + ex.Message);
}
}
}
class Program
{
static void Main()
{
// Test the Logger class by writing some log entries
Logger.Write("myLog.txt", "This text is being logged");
Logger.Write("myLog.txt", "Another log entry");
Logger.Write("myLog.txt", "Logging completed successfully");
// Display a message indicating that logs have been written
Console.WriteLine("Check 'myLog.txt' for the log entries.");
}
}
Output
//Expected output of the code:
Log entry added successfully.
Log entry added successfully.
Log entry added successfully.
Check 'myLog.txt' for the log entries.
//Contents of myLog.txt:
2025-04-02 12:45:30 - This text is being logged
2025-04-02 12:45:30 - Another log entry
2025-04-02 12:45:30 - Logging completed successfully