Group
Using Additional Libraries in C#
Objective
1. Use Directory.GetFiles() to retrieve the list of .png and .jpg files in the current directory.
2. Create a new HTML file using StreamWriter to write the file content.
3. Add an img tag for each image in the HTML content.
4. Save the HTML file with a name like images_list.html in the current directory.
5. Display a message to inform the user that the HTML file has been created.
Create a program that creates an HTML file that lists all the images (PNG and JPG) in the current folder.
For instance, if the current folder contains the following images:
1.png
2.jpg
Example C# Exercise
Show C# Code
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>