This repository has been archived on 2023-05-31. You can view files and clone it, but cannot push or open issues or pull requests.
python-blog/attachments/models.py

96 lines
3 KiB
Python
Raw Normal View History

import json
2020-08-26 19:04:48 +02:00
import tempfile
from pathlib import Path
import requests
from django.conf import settings
2020-08-26 19:04:48 +02:00
from django.core.files import File
from django.db import models
from PIL import Image
2020-11-28 20:09:37 +01:00
class AttachmentManager(models.Manager):
def get_open_graph_image(self):
return self.filter(open_graph_image=True).first()
2020-08-26 19:04:48 +02:00
class Attachment(models.Model):
description = models.CharField(max_length=500)
original_file = models.FileField()
processed_file = models.FileField(blank=True, null=True)
2020-11-28 20:09:37 +01:00
open_graph_image = models.BooleanField(blank=True)
objects = AttachmentManager()
2020-08-26 19:04:48 +02:00
2020-08-28 22:24:28 +02:00
class Meta:
ordering = ["description"]
2020-08-27 22:09:18 +02:00
def __str__(self):
return f"{self.description} ({self.original_file.name})"
2020-08-26 19:04:48 +02:00
def save(self, *args, **kwargs):
if self.processed_file:
return super().save(*args, **kwargs)
if self.id is None:
super().save(*args, **kwargs)
2020-08-26 19:04:48 +02:00
try:
image = Image.open(self.original_file.path)
except IOError:
return super().save(*args, **kwargs)
# Submit job to shortpixel
base_data = {
"key": settings.SHORTPIXEL_API_KEY,
"plugin_version": "gabno",
"wait": 20,
}
post_data = {
"lossy": 1,
"resize": 3,
"resize_width": 640,
"resize_height": 10000,
2020-08-29 09:55:31 +02:00
"keep_exif": 1,
"file_paths": json.dumps(
[f"{self.original_file.name}:{self.original_file.path}"]
),
}
data = {**base_data, **post_data}
url = "https://api.shortpixel.com/v2/post-reducer.php"
with open(self.original_file.path, "rb") as original_file:
response = requests.post(
url=url, data=data, files={self.original_file.name: original_file}
)
res = response.json()
res_data = res[0]
# Loop until it's done
post_data = {
"key": settings.SHORTPIXEL_API_KEY,
"plugin_version": "gabno",
"wait": 20,
"file_urls": json.dumps([res_data["OriginalURL"]]),
}
check_data = {**base_data, **post_data}
while res_data["Status"]["Code"] == "1":
2020-09-05 09:09:59 +02:00
response = requests.post(url=url, data=check_data)
res_data = response.json()[0]
# Download image
current_path = Path(self.original_file.path)
2020-08-26 19:04:48 +02:00
temp_dir = Path(tempfile.mkdtemp())
temp_path = temp_dir / (current_path.stem + "-processed" + current_path.suffix)
img = requests.get(res_data["LossyURL"], stream=True)
with open(temp_path, "wb") as temp_file:
for chunk in img:
temp_file.write(chunk)
# Link it to our model
2020-08-26 19:04:48 +02:00
with open(temp_path, "rb") as output_file:
f = File(output_file)
self.processed_file.save(temp_path.name, f, save=False)
2020-08-26 19:04:48 +02:00
temp_path.unlink()
temp_dir.rmdir()
return super().save(*args, **kwargs)