Are there alternative methods in PHP to display images as thumbnails without loading the larger original images first to optimize data usage?

To display images as thumbnails without loading the larger original images first in PHP, you can use the `imagecreatefromjpeg`, `imagecreatefrompng`, or `imagecreatefromgif` functions to create a thumbnail image directly from the original image file. This method helps optimize data usage by not loading the full-size image before resizing it into a thumbnail.

<?php

// Path to the original image file
$original_image_path = 'path/to/original/image.jpg';

// Load the original image
$original_image = imagecreatefromjpeg($original_image_path);

// Get the dimensions of the original image
$original_width = imagesx($original_image);
$original_height = imagesy($original_image);

// Calculate the thumbnail dimensions (e.g., 100x100 pixels)
$thumbnail_width = 100;
$thumbnail_height = 100;

// Create a new thumbnail image
$thumbnail_image = imagecreatetruecolor($thumbnail_width, $thumbnail_height);

// Resize the original image to fit the thumbnail dimensions
imagecopyresampled($thumbnail_image, $original_image, 0, 0, 0, 0, $thumbnail_width, $thumbnail_height, $original_width, $original_height);

// Output the thumbnail image
header('Content-Type: image/jpeg');
imagejpeg($thumbnail_image);

// Free up memory
imagedestroy($original_image);
imagedestroy($thumbnail_image);

?>