Создание файла для загрузки с помощью Django

Можно ли сделать zip-архив и предложить его загрузить, но все же не сохранить файл на жесткий диск?

Ответ 1

Для запуска загрузки вам нужно установить заголовок Content-Disposition:

from django.http import HttpResponse
from wsgiref.util import FileWrapper

# generate the file
response = HttpResponse(FileWrapper(myfile.getvalue()), content_type='application/zip')
response['Content-Disposition'] = 'attachment; filename=myfile.zip'
return response

Если вам не нужен файл на диске, вам нужно использовать StringIO

import cStringIO as StringIO

myfile = StringIO.StringIO()
while not_finished:
    # generate chunk
    myfile.write(chunk)

Дополнительно вы можете также установить заголовок Content-Length:

response['Content-Length'] = myfile.tell()

Ответ 2

Вы будете счастливее создать временный файл. Это экономит много памяти. Если у вас одновременно есть более одного или двух пользователей, вы обнаружите, что экономия памяти очень важна.

Однако вы можете написать объект StringIO.

>>> import zipfile
>>> import StringIO
>>> buffer= StringIO.StringIO()
>>> z= zipfile.ZipFile( buffer, "w" )
>>> z.write( "idletest" )
>>> z.close()
>>> len(buffer.getvalue())
778

Объект "buffer" является файловым с ZIP-архивом размером 778 байт.

Ответ 3

Да, вы можете использовать zipfile-модуль , модуль zlib или другие модули сжатия для создания zip-архива в памяти. Вы можете записать свой zip-архив в объект HttpResponse, который возвращает представление Django вместо отправки контекста в шаблон. Наконец, вам нужно установить mimetype в соответствующий формат сообщить обозревателю, чтобы обработать ответ в виде файла.

Ответ 4

Почему бы не создать tar файл? Например:

def downloadLogs(req, dir):
    response = HttpResponse(mimetype='application/x-gzip')
    response['Content-Disposition'] = 'attachment; filename=download.tar.gz'
    tarred = tarfile.open(fileobj=response, mode='w:gz')
    tarred.add(dir)
    tarred.close()

    return response

Ответ 6

models.py

from django.db import models

class PageHeader(models.Model):
    image = models.ImageField(upload_to='uploads')

views.py

from django.http import HttpResponse
from StringIO import StringIO
from models import *
import os, mimetypes, urllib

def random_header_image(request):
    header = PageHeader.objects.order_by('?')[0]
    image = StringIO(file(header.image.path, "rb").read())
    mimetype = mimetypes.guess_type(os.path.basename(header.image.name))[0]

    return HttpResponse(image.read(), mimetype=mimetype)

Ответ 7

def download_zip(request,file_name):
    filePath = '<path>/'+file_name
    fsock = open(file_name_with_path,"rb")
    response = HttpResponse(fsock, content_type='application/zip')
    response['Content-Disposition'] = 'attachment; filename=myfile.zip'
    return response

Вы можете заменить zip и тип контента согласно вашему требованию.

Ответ 8

То же самое в архиве памяти tgz:

import tarfile
from io import BytesIO


def serve_file(request):
    out = BytesIO()
    tar = tarfile.open(mode = "w:gz", fileobj = out)
    data = 'lala'.encode('utf-8')
    file = BytesIO(data)
    info = tarfile.TarInfo(name="1.txt")
    info.size = len(data)
    tar.addfile(tarinfo=info, fileobj=file)
    tar.close()

    response = HttpResponse(out.getvalue(), content_type='application/tgz')
    response['Content-Disposition'] = 'attachment; filename=myfile.tgz'
    return response