Grupo
Manejo de archivos en C#
Objectivo
1. El programa leerá el contenido de un archivo de texto dado.
2. En la primera pasada, contará el número de líneas del archivo.
3. En la segunda pasada, almacenará cada línea en un array.
4. Luego, escribirá las líneas en un nuevo archivo, comenzando por la última línea del array y avanzando hasta la primera.
5. El nuevo archivo tendrá el mismo nombre que el archivo original, con ".tnv" añadido al final.
Cree un programa para "invertir" el contenido de un archivo de texto: cree un archivo con el mismo nombre que termine en ".tnv" y que contenga las mismas líneas que el archivo original, pero en orden inverso (la primera línea será la última, la segunda la penúltima, y así sucesivamente, hasta la última línea del archivo original, que debe aparecer en la primera posición del archivo resultante).
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
using System.IO;
class ReverseFileContent
{
// Method to reverse the contents of a text file
public static void ReverseFile(string inputFile)
{
// Step 1: Read all lines from the input file
string[] lines = File.ReadAllLines(inputFile);
// Step 2: Create the output file with ".tnv" extension
string outputFile = Path.ChangeExtension(inputFile, ".tnv");
// Step 3: Open the output file to write the reversed content
using (StreamWriter writer = new StreamWriter(outputFile))
{
// Step 4: Loop through the lines array in reverse order
for (int i = lines.Length - 1; i >= 0; i--)
{
// Step 5: Write the reversed line to the output file
writer.WriteLine(lines[i]);
}
}
// Step 6: Inform the user that the file has been reversed and saved
Console.WriteLine($"File reversed successfully. The output is saved as {outputFile}");
}
}
class Program
{
static void Main(string[] args)
{
// Step 1: Ask the user for the input file name
Console.WriteLine("Enter the name of the text file to reverse:");
// Step 2: Get the file name from the user
string inputFile = Console.ReadLine();
// Step 3: Check if the file exists
if (!File.Exists(inputFile))
{
Console.WriteLine("The file does not exist. Please check the file name and try again.");
return;
}
// Step 4: Call the ReverseFile method to reverse the contents
ReverseFileContent.ReverseFile(inputFile);
}
}
Output
//If the input file (example.txt) contains:
This is the first line.
This is the second line.
This is the third line.
//After running the program, the output file (example.tnv) will contain:
This is the third line.
This is the second line.
This is the first line.
Código de ejemplo copiado
Comparte este ejercicio de C#