Group
File Handling in C#
Objective
1. Create a program that reads the contents of a text file.
2. Display the content in 24-line chunks, truncating each line to 79 characters.
3. After displaying each chunk, prompt the user to press Enter to proceed.
4. Continue until all lines from the file are displayed.
5. Ensure the program stops once the entire file has been displayed.
Create a C# program which behaves like the Unix command "more": it must display the contents of a text file, and ask the user to press Enter each time the screen is full. As a simple approach, you can display the lines truncated to 79 characters, and stop after each 24 lines.
Example C# Exercise
Show C# Code
using System;
using System.IO;
class MoreCommandSimulation
{
static void Main(string[] args)
{
// Prompt user to enter the filename
Console.Write("Enter the filename: ");
string filename = Console.ReadLine();
// Check if the file exists
if (File.Exists(filename))
{
// Open the file to read its contents
string[] lines = File.ReadAllLines(filename);
int linesPerPage = 24; // Number of lines to display at once
int maxLineLength = 79; // Maximum line length to display
// Display lines in chunks of 24
for (int i = 0; i < lines.Length; i += linesPerPage)
{
// Display up to 24 lines, truncated to maxLineLength
for (int j = i; j < i + linesPerPage && j < lines.Length; j++)
{
Console.WriteLine(lines[j].Length > maxLineLength ? lines[j].Substring(0, maxLineLength) : lines[j]);
}
// If there are more lines to display, ask user to continue
if (i + linesPerPage < lines.Length)
{
Console.WriteLine("\nPress Enter to continue...");
Console.ReadLine(); // Wait for user input to continue
}
}
}
else
{
// If the file doesn't exist, inform the user
Console.WriteLine("The file does not exist.");
}
}
}
Output
Enter the filename: sample.txt
This is a sample text line that will be truncated if it exceeds 79 characters in length.
Another example of text being displayed here, still within the limits of the screen size.
...
Press Enter to continue...
This is the 25th line of text.
Another line is displayed here after the user presses Enter.
...
Press Enter to continue...
The file has ended.