using System;
using System.Drawing;
namespace CarManagerV3
{
///
/// The ImageManager class is responsible for managing car images, including fetching and storing them locally.
///
internal class ImageManager
{
private static string _imagePath = Environment.GetFolderPath(Environment.SpecialFolder.ApplicationData) + "\\CarManagerV3\\images";
///
/// Initializes the image folder by creating it if it does not exist.
///
public static void InitializeImageFolder()
{
string path = _imagePath;
if (!System.IO.Directory.Exists(path))
{
System.IO.Directory.CreateDirectory(path);
}
// Do not catch here. If we cannot create our images folder, the program wont work.
}
///
/// Generates the image path for a given car based on its attributes.
///
/// The car.
/// The image path for this Car.
public static string GetImagePath(Car car)
{
string basePath = $"{_imagePath}/";
string fileName = $"{car.Make}_{car.Model}_{car.Year}_{car.Color}.png";
return basePath + fileName;
}
///
/// Gets the image for a given car, fetching it if necessary.
///
/// The car.
/// The object for the car.
public static Image GetImage(Car car)
{
InitializeImageFolder();
FetchImage(car);
string path = GetImagePath(car);
// does image exist?
try
{
if (System.IO.File.Exists(path))
{
return Image.FromFile(path);
}
}
catch (Exception ex)
{
Console.Error.WriteLine($"Error loading image: {ex.Message}");
}
try
{
return Image.FromFile($"{_imagePath}/no_image_available.png");
}
catch (Exception ex)
{
Console.Error.WriteLine($"Error loading fallback image: {ex.Message}");
return null;
}
}
///
/// Fetches an image for a Car from https://cdn.imagin.studio/getimage if it does not already exist locally and saves it to images/Make_Model_Year_Color.webp>.
/// If the image cannot be fetched, a placeholder image is used instead.
/// Uses example customer id "hrjavascript-mastery", because they wouldn't give me one. Stole this from a tutorial page. :)
///
/// The car.
public static void FetchImage(Car car)
{
// Fetch the image from https://cdn.imagin.studio/getimage and save it to images/Make_Model_Year.webp
// use params like this: ?customer=hrjavascript-mastery&zoomType=fullscreen&make={make}&modelFamily={model}&modelYear={year}&angle=front&paintDescription={color}&fileType=png
// check if the image already exists
string path = GetImagePath(car);
if (System.IO.File.Exists(path))
{
return;
}
string url = $"https://cdn.imagin.studio/getimage?customer=hrjavascript-mastery&zoomType=fullscreen&make={car.Make}&modelFamily={car.Model}&modelYear={car.Year}&angle=front&paintDescription={car.Color}&fileType=png";
//add Referer header to avoid 403 error
using (var client = new System.Net.WebClient())
{
client.Headers.Add("Referer", "http://localhost");
try
{
client.DownloadFile(url, path);
}
catch
{
// if error, use fallback image no_image_available.png
//System.IO.File.Copy($"{_imagePath}/no_image_available.png", path);
}
}
}
}
}