Group
File Handling in C#
Objective
1. Prompt the user to enter a sentence.
2. If the sentence is not empty, save it to a text file named "sentences.txt".
3. Continue asking the user for sentences until they press Enter without typing anything.
4. After collecting all the sentences, write them to the file and display a message confirming the data was saved.
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".
Example C# Exercise
Show C# Code
using System;
using System.IO;
class Program
{
static void Main()
{
// Define the file path where sentences will be stored
string filePath = "sentences.txt";
// Open the file to write the sentences
using (StreamWriter writer = new StreamWriter(filePath))
{
string sentence;
// Loop until the user presses Enter without typing anything
while (true)
{
// Prompt the user to enter a sentence
Console.WriteLine("Enter a sentence (or press Enter to finish): ");
sentence = Console.ReadLine();
// Check if the sentence is empty, if so, break out of the loop
if (string.IsNullOrEmpty(sentence))
{
break;
}
// Write the sentence to the text file
writer.WriteLine(sentence);
}
}
// Notify the user that the sentences have been saved
Console.WriteLine("Sentences have been saved to 'sentences.txt'.");
}
}
Output
//Code Output:
Enter a sentence (or press Enter to finish): Hello, how are you?
Enter a sentence (or press Enter to finish): I am learning C#.
Enter a sentence (or press Enter to finish): This is fun!
Enter a sentence (or press Enter to finish):
Sentences have been saved to 'sentences.txt'.
//Contents of "sentences.txt"
Hello, how are you?
I am learning C#.
This is fun!