Grupo
Usando bibliotecas adicionales en C#
Objectivo
1. Use Directory.GetFiles() para obtener la lista de archivos .png y .jpg en el directorio actual.
2. Cree un nuevo archivo HTML usando StreamWriter para escribir el contenido.
3. Agregue una etiqueta img para cada imagen en el contenido HTML.
4. Guarde el archivo HTML con un nombre como images_list.html en el directorio actual.
5. Muestre un mensaje para informar al usuario que el archivo HTML se ha creado.
Cree un programa que genere un archivo HTML que enumere todas las imágenes (PNG y JPG) en la carpeta actual.
Por ejemplo, si la carpeta actual contiene las siguientes imágenes:
1.png
2.jpg
Ejemplo de ejercicio en C#
Mostrar código C#
using System; // Importing the System namespace for basic functionalities
using System.IO; // Importing the System.IO namespace for file operations
class Program
{
static void Main()
{
// Get the current directory path
string currentDirectory = Directory.GetCurrentDirectory();
// Retrieve all .png and .jpg files from the current directory
string[] imageFiles = Directory.GetFiles(currentDirectory, "*.*")
.Where(file => file.EndsWith(".png") || file.EndsWith(".jpg"))
.ToArray();
// Create a StreamWriter to generate an HTML file
using (StreamWriter writer = new StreamWriter("images_list.html"))
{
// Write the basic HTML structure
writer.WriteLine("");
writer.WriteLine("Image List");
writer.WriteLine("");
writer.WriteLine("Images in the Current Folder
");
writer.WriteLine("");
// Loop through each image file and add it as an image tag in the HTML
foreach (var imageFile in imageFiles)
{
// Extract the file name (excluding the path)
string fileName = Path.GetFileName(imageFile);
// Write the image tag for each file
writer.WriteLine($"
");
}
// End the HTML structure
writer.WriteLine("
");
writer.WriteLine("");
writer.WriteLine("");
}
// Inform the user that the HTML file has been created
Console.WriteLine("HTML file 'images_list.html' has been created.");
}
}
Output
<html>
<head><title>Image List</title></head>
<body>
<h1>Images in the Current Folder</h1>
<ul>
<li><img src="1.png" alt="1.png" style="width:100px;height:auto;" /></li>
<li><img src="2.jpg" alt="2.jpg" style="width:100px;height:auto;" /></li>
</ul>
</body>
</html>
Código de ejemplo copiado
Comparte este ejercicio de C#