Group
File Handling in C#
Objective
1. Ask the user to input a sentence.
2. If the sentence is not empty, append it to the file "sentences.txt".
3. Continue prompting the user for sentences until they press Enter without typing anything.
4. After the input is finished, notify the user that the sentences have been saved to the file.
Create a program to ask the user for several sentences (until they just press Enter) and store them in a text file named "sentences.txt". If the file exists, the new content must be appended to its end.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class Program
{
static void Main()
{
// Define the path for the sentences file
string filePath = "sentences.txt";
// Open the file in append mode to add new sentences without overwriting the file
using (StreamWriter writer = new StreamWriter(filePath, true)) // 'true' enables append mode
{
string sentence;
// Loop until the user presses Enter without typing anything
while (true)
{
// Prompt the user for a sentence
Console.WriteLine("Enter a sentence (or press Enter to finish): ");
sentence = Console.ReadLine();
// If the input is empty, break out of the loop
if (string.IsNullOrEmpty(sentence))
{
break;
}
// Append the sentence to the file
writer.WriteLine(sentence);
}
}
// Notify the user that the sentences were successfully saved
Console.WriteLine("Sentences have been saved to 'sentences.txt'.");
}
}
Output
//Code Output:
Enter a sentence (or press Enter to finish): I love coding.
Enter a sentence (or press Enter to finish): Programming is fun!
Enter a sentence (or press Enter to finish):
Sentences have been saved to 'sentences.txt'.
//Contents of "sentences.txt" (after the program runs):
I love coding.
Programming is fun!