Guide to uploading multiple images in PHP
A detailed guide on how to upload multiple images at once in PHP, including file handling, format checks, and storage on the server.
In this article, we will explore how to use PHP to upload multiple images simultaneously. We will handle the upload process, check file formats, and securely store the images on the server.
PHP code:
<?php
if(isset($_POST['upload'])) {
$totalFiles = count($_FILES['images']['name']);
// Directory to store uploaded images
$uploadDirectory = "uploads/";
for($i = 0; $i < $totalFiles; $i++) {
// Temporary file path
$tmpFilePath = $_FILES['images']['tmp_name'][$i];
if($tmpFilePath != "") {
// File name
$fileName = basename($_FILES['images']['name'][$i]);
// Destination path
$targetFilePath = $uploadDirectory . $fileName;
// Check and upload file
if(move_uploaded_file($tmpFilePath, $targetFilePath)) {
echo "File " . $fileName . " has been uploaded successfully.<br>";
} else {
echo "There was an error uploading file " . $fileName . ".<br>";
}
}
}
}
?>
HTML form for file upload:
<!DOCTYPE html>
<html>
<head>
<title>Upload Multiple Images</title>
</head>
<body>
<h2>Select images to upload:</h2>
<form action="" method="POST" enctype="multipart/form-data">
<input type="file" name="images[]" multiple>
<input type="submit" name="upload" value="Upload">
</form>
</body>
</html>
Detailed explanation:
-
if(isset($_POST['upload'])) { ... }
: Checks if the form has been submitted. -
$totalFiles = count($_FILES['images']['name']);
: Gets the number of files selected by the user. -
for($i = 0; $i < $totalFiles; $i++) { ... }
: Iterates through each uploaded file. -
move_uploaded_file($tmpFilePath, $targetFilePath)
: Moves the file from the temporary path to the target directory on the server.
System Requirements:
- PHP version 5.4 or higher
- Server configuration that allows file uploads with a large size (
upload_max_filesize
andpost_max_size
inphp.ini
).
How to install PHP:
- You can install XAMPP or WAMP on your computer to use PHP.
Tips:
- Always validate file type and size before uploading to avoid security risks.
- Use random file names or rename files before saving to avoid overwriting existing files.