Grupo
Manejo de archivos en C#
Objectivo
1. El programa espera un archivo CSV con cuatro valores por línea: nombre, apellido, ciudad y edad.
2. Cada bloque de datos debe ir entre comillas y los valores separados por comas.
3. El resultado será un nuevo archivo de texto con cada bloque de datos del archivo CSV escrito en una nueva línea.
4. Ejecute el programa pasando el nombre del archivo CSV de entrada como parámetro.
Ejemplo de uso:
csvToText input.csv
El formato CSV ("Valores Separados por Comas") es un formato de intercambio utilizado por muchos sistemas de gestión de bases de datos y hojas de cálculo. Consiste en una serie de valores separados por comas y entre comillas, aunque existen variantes que no utilizan comillas o utilizan punto y coma como separadores. A menudo, los valores no se escriben entre comillas. Un archivo de ejemplo sería:
"John", "López Pérez," "Alicante", 25
"Antonio", "Pérez López", "Madrid", 27
Debe crear un programa que lea un archivo CSV como el mostrado arriba, con cuatro bloques de datos (los tres primeros son de texto y el último es numérico), cada uno en una línea independiente. El programa debe generar un archivo de texto donde cada entrada contenga una línea como esta:
John
Pérez López
Alicante
25
Antonio
Pérez López
Madrid
27
Ejemplo de ejercicio en C#
Mostrar código C#
using System;
using System.IO;
class CSVToTextConverter
{
// Main method where the program starts execution
static void Main(string[] args)
{
// Check if the user has provided the necessary file name argument
if (args.Length != 1)
{
Console.WriteLine("Usage: csvToText ");
return;
}
// Get the input CSV file name from the command line arguments
string inputFileName = args[0];
// Check if the specified file exists
if (!File.Exists(inputFileName))
{
Console.WriteLine("The specified file does not exist.");
return;
}
// Define the output file name by changing the extension to .txt
string outputFileName = Path.ChangeExtension(inputFileName, ".txt");
try
{
// Open the input CSV file for reading
using (StreamReader reader = new StreamReader(inputFileName))
{
// Open the output text file for writing
using (StreamWriter writer = new StreamWriter(outputFileName))
{
string line;
// Read each line from the CSV file
while ((line = reader.ReadLine()) != null)
{
// Split the CSV line by commas, assuming values are enclosed in quotes
string[] data = line.Split(new char[] { ',' }, StringSplitOptions.None);
// Loop through the data array and write each value to the output file
foreach (var value in data)
{
// Remove quotes around values if present
string cleanValue = value.Trim('"').Trim();
// Write the cleaned value to the output file on a new line
writer.WriteLine(cleanValue);
}
}
}
}
// Inform the user that the file has been successfully created
Console.WriteLine($"Text file created successfully: {outputFileName}");
}
catch (Exception ex)
{
// Handle any errors that occur during file reading or writing
Console.WriteLine("An error occurred: " + ex.Message);
}
}
}
Output
//For an input CSV file named input.csv with the following content:
"John", "López Pérez", "Alicante", 25
"Antonio", "Pérez López", "Madrid", 27
//The output text file (input.txt) will contain:
John
López Pérez
Alicante
25
Antonio
Pérez López
Madrid
27
Código de ejemplo copiado
Comparte este ejercicio de C#