Conversor De Archivos De Texto A HTML En C#

Este programa es un "Conversor de Texto a HTML" que lee el contenido de un archivo de texto fuente y lo convierte en un archivo HTML. El programa procesa el archivo de texto para generar un archivo HTML con el mismo nombre, pero con la extensión ".html". El archivo HTML incluye una sección "head" con un título basado en el nombre del archivo fuente (sin la extensión ".txt"). El cuerpo del documento HTML contiene el contenido del archivo de texto, con cada línea dentro de una etiqueta

(párrafo). Este programa es útil para convertir documentos de texto sin formato a formato HTML básico.



Grupo

Manejo de archivos en C#

Objectivo

1. El programa solicitará al usuario el nombre del archivo de texto que se va a convertir.
2. El programa leerá el contenido del archivo de texto.
3. Generará un archivo HTML con el mismo nombre que el archivo de texto, pero con la extensión ".html".
4. El contenido del archivo de texto se colocará dentro del del archivo HTML, con cada línea dentro de una etiqueta

.
5. El "título" del archivo HTML se establecerá con el nombre del archivo de texto (sin la extensión ".txt").
6. Si no se encuentra el archivo o hay un error, se mostrarán los mensajes correspondientes.

Cree un "conversor de texto a HTML" que leerá un archivo de texto de origen y creará un archivo HTML a partir de su contenido. Por ejemplo, si el archivo contiene:

Hola
Soy yo
Ya he terminado

El nombre del archivo de destino debe ser el mismo que el del archivo de origen, pero con la extensión ".html" (que reemplazará la extensión ".txt" original, si existe). El "título" en el "encabezado" debe tomarse del nombre del archivo.

Ejemplo de ejercicio en C#

 Copiar código C#
using System;
using System.IO;

class TextToHtmlConverter
{
    // Main method to run the program
    static void Main(string[] args)
    {
        // Ask the user to enter the name of the text file
        Console.WriteLine("Please enter the name of the text file:");

        // Read the name of the text file from the user input
        string fileName = Console.ReadLine();

        try
        {
            // Check if the file has a ".txt" extension
            if (!fileName.EndsWith(".txt"))
            {
                Console.WriteLine("Error: The file must have a .txt extension.");
                return;
            }

            // Open the text file for reading
            string[] lines = File.ReadAllLines(fileName);

            // Create the output HTML file with the same name, but with a ".html" extension
            string htmlFileName = Path.ChangeExtension(fileName, ".html");

            // Open the HTML file for writing
            using (StreamWriter writer = new StreamWriter(htmlFileName))
            {
                // Write the opening HTML tags and the title based on the file name (without ".txt")
                writer.WriteLine("");
                writer.WriteLine("");
                writer.WriteLine($"{Path.GetFileNameWithoutExtension(fileName)}");
                writer.WriteLine("");
                writer.WriteLine("");

                // Write each line from the text file as a paragraph in the HTML file
                foreach (string line in lines)
                {
                    writer.WriteLine($"

{line}

"); } // Close the body and HTML tags writer.WriteLine(""); writer.WriteLine(""); } // Inform the user that the HTML file has been created Console.WriteLine($"HTML file '{htmlFileName}' has been created successfully."); } catch (FileNotFoundException) { // Handle file not found error Console.WriteLine("Error: The specified text file could not be found."); } catch (Exception ex) { // Handle other unexpected errors Console.WriteLine("An error occurred: " + ex.Message); } } }

 Output

//If the user enters example.txt and the file contains the following lines:
Hola
Soy yo
Ya he terminado

//The program will create a file named example.html with the following content:
<html>
<head>
<title>example</title>
</head>
<body>
<p>Hola</p>
<p>Soy yo</p>
<p>Ya he terminado</p>
</body>
</html>

Comparte este ejercicio de C#

Practica más ejercicios C# de Manejo de archivos en C#

¡Explora nuestro conjunto de ejercicios de práctica de C#! Diseñados específicamente para principiantes, estos ejercicios te ayudarán a desarrollar una sólida comprensión de los fundamentos de C#. Desde variables y tipos de datos hasta estructuras de control y funciones simples, cada ejercicio está diseñado para desafiarte gradualmente a medida que adquieres confianza en la programación en C#..