You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

65 lines
1.6 KiB

2 weeks ago
import os
from flask import Flask, render_template, redirect, request
from flask_wtf import FlaskForm
from flask_wtf.file import FileAllowed, FileField
from wtforms import (
SubmitField,
)
2 weeks ago
# config me here
2 weeks ago
APP = Flask(__name__, static_folder="static")
APP.config["IMAGE_FOLDER"] = "static/images"
2 weeks ago
ALLOWED_FILES = ["jpg", "png", "gif", "webp"]
2 weeks ago
# don't config these lines
APP.config["SECRET_KEY"] = os.urandom(24)
2 weeks ago
2 weeks ago
class ImageUploadForm(FlaskForm):
"""Image upload form."""
allowed = ", ".join(ALLOWED_FILES)
2 weeks ago
image = FileField(
2 weeks ago
"image:",
2 weeks ago
validators=[
FileAllowed(
ALLOWED_FILES,
f"Images only, please use any of the following file extensions: {allowed}",
2 weeks ago
)
],
2 weeks ago
)
submit = SubmitField("Submit")
def saveimage(image):
"""Save the image to the folder"""
image.save(os.path.join(APP.config["IMAGE_FOLDER"], image.filename))
@APP.route("/", methods=["GET", "POST"])
def index():
"""Upload route, a page to upload an image"""
imageuploadform = ImageUploadForm()
if request.method == "POST":
if imageuploadform.validate_on_submit():
saveimage(imageuploadform.image.data)
2 weeks ago
uploaded_files = sorted(
[
os.path.join(APP.config["IMAGE_FOLDER"], file)
for file in os.listdir(APP.config["IMAGE_FOLDER"])
],
key=os.path.getctime,
)
2 weeks ago
return render_template(
"upload.html",
imageuploadform=imageuploadform,
uploaded_files=uploaded_files
)
2 weeks ago
if __name__ == "__main__":
APP.debug = True
APP.run(port=5000)