Как загрузить изображения из Object Storage (Digital Ocean Spaces) в Django?
Я создал wesbite для обмена изображениями в Django, где я сохраняю свои файлы эскизов на сервере, а исходные файлы - в хранилище объектов. Мне удалось загрузить изображения (исходные изображения в хранилище объектов и эскизы на сервере). Но проблема в том, что я не могу загружать изображения из хранилища объектов.
Есть ли какой-либо способ загрузки изображений из хранилища объектов.
Вот мой код.
Мой settings.py:
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/3.1/howto/static-files/
AWS_ACCESS_KEY_ID = 'xxx'
AWS_SECRET_ACCESS_KEY = 'xxx'
AWS_STORAGE_BUCKET_NAME = 'my-bucket-name'
AWS_S3_ENDPOINT_URL = 'endpoint-url'
AWS_S3_CUSTOM_DOMAIN = 'my-custom-domain-name'
AWS_S3_OBJECT_PARAMETERS = {
'CacheControl': 'max-age=31536000',
}
AWS_DEFAULT_ACL = 'public-read'
#DEFAULT_FILE_STORAGE = "custom_storages.MediaStorage" (Commented Code)
MEDIA_URL = BASE_DIR / 'media'
MEDIA_ROOT = 'media/'
models.py
from imagekit.models import ImageSpecField
from imagekit.processors import ResizeToFit
from django.urls import reverse
import os
from django.conf import settings
from custom_storages import MediaStorage
class Image(models.Model):
def get_image_path(instance, filename):
return os.path.join('images', str(instance.subcategory.category.category_name), str(instance.subcategory.sub_name), filename)
image = models.ImageField(upload_to=get_image_path, storage=MediaStorage(), null=True) #Here I'm saving my image to object storage using custom storage class
image_thumbnail = ImageSpecField(source='image', processors=[ResizeToFit(480,480)], format='JPEG', options={'quality':60}) #generating thumbnail using django-imagekit
custom_storages.py - Использование этого для хранения моих файлов в хранилище объектов
import os
from storages.backends.s3boto3 import S3Boto3Storage
from tempfile import SpooledTemporaryFile
class MediaStorage(S3Boto3Storage):
bucket_name = 'my-bucket-name'
location = 'media'
def _save(self, name, content):
"""
We create a clone of the content file as when this is passed to
boto3 it wrongly closes the file upon upload where as the storage
backend expects it to still be open
"""
# Seek our content back to the start
content.seek(0, os.SEEK_SET)
# Create a temporary file that will write to disk after a specified
# size. This file will be automatically deleted when closed by
# boto3 or after exiting the `with` statement if the boto3 is fixed
with SpooledTemporaryFile() as content_autoclose:
# Write our original content into our copy that will be closed by boto3
content_autoclose.write(content.read())
# Upload the object which will auto close the
# content_autoclose instance
return super(MediaStorage, self)._save(name, content_autoclose)
views.py - при нажатии кнопки загрузки вызывается эта функция.
def download(request,id):
previous_url = request.META.get('HTTP_REFERER')
if request.method == 'POST':
recaptcha_response = request.POST.get('g-recaptcha-response')
data = {
'secret': settings.GOOGLE_RECAPTCHA_SECRET_KEY,
'response': recaptcha_response
}
r = requests.post('https://www.google.com/recaptcha/api/siteverify', data=data)
result = r.json()
''' '''End reCAPTCHA validation''' '''
if result['success']:
image = Image.objects.get(id=id)
file_name = os.path.basename(image.image.name)
file_path = image.image.name
fl = storage.open(file_path, "rb")
print(fl)
content_type = mimetypes.guess_type(file_path)[0]
response = HttpResponse(fl, content_type=content_type)
response['Content-Disposition'] = 'attachment; filename=%s' % smart_str(file_name)
response['X-Sendfile'] = smart_str(file_path)
return response
else:
messages.error(request, 'Invalid reCAPTCHA. Please try again.')
return redirect(previous_url)
else:
return redirect(previous_url)
Когда вызывается функция загрузки, она показывает ошибку, так как media_root настроен на расположение сервера. Есть ли способ использовать DEFAULT_FILE_STORAGE с MEDIA_ROOT для загрузки изображения в хранилище объектов. Или как я могу изменить свой код загрузки, чтобы он загружал изображение из хранилища объектов. Любая помощь приветствуется. Спасибо!