Guide to creating a multi-image upload form using Python
A comprehensive guide on how to create a multi-image upload form using Flask, a simple and effective Python framework.
In this article, we will learn how to use Flask to create a simple web application that allows users to upload multiple images simultaneously and store them on the server.
Python code:
from flask import Flask, render_template, request
import os
app = Flask(__name__)
UPLOAD_FOLDER = 'uploads'
app.config['UPLOAD_FOLDER'] = UPLOAD_FOLDER
# Create the upload folder if it doesn't exist
if not os.path.exists(UPLOAD_FOLDER):
os.makedirs(UPLOAD_FOLDER)
@app.route('/', methods=['GET', 'POST'])
def upload_files():
if request.method == 'POST':
# Check if any files were uploaded
if 'files[]' not in request.files:
return "No files selected"
files = request.files.getlist('files[]')
# Save the uploaded files
for file in files:
if file.filename != '':
file.save(os.path.join(app.config['UPLOAD_FOLDER'], file.filename))
return "Upload successful"
return '''
<!doctype html>
<html>
<head>
<title>Upload Multiple Images</title>
</head>
<body>
<h1>Upload multiple images</h1>
<form method="POST" enctype="multipart/form-data">
<input type="file" name="files[]" multiple>
<input type="submit" value="Upload">
</form>
</body>
</html>
'''
if __name__ == '__main__':
app.run(debug=True)
Detailed explanation:
-
from flask import Flask, render_template, request
: Imports necessary modules from Flask. -
UPLOAD_FOLDER = 'uploads'
: Defines the folder to store uploaded images. -
if not os.path.exists(UPLOAD_FOLDER)
: Creates theuploads
directory if it doesn't exist. -
@app.route('/', methods=['GET', 'POST'])
: Defines the main route of the application, allowing GET and POST methods. -
if request.method == 'POST'
: Handles the POST request when the user uploads images. -
file.save(os.path.join(app.config['UPLOAD_FOLDER'], file.filename))
: Saves the images in theuploads
folder. - HTML form
input type="file" name="files[]" multiple>
: Allows selecting and uploading multiple images.
System Requirements:
- Python version 3.6 or higher
- Flask version 2.0 or higher
How to install the libraries needed to run the Python code above:
Use the following command to install Flask:
pip install flask
Tips:
- Validate the uploaded files to avoid errors or malicious files.
- Consider limiting file size and types to protect your system.