可能性のある複製:
Djangoで動的に生成されたZipアーカイブを提供
(私がそれらを見逃した場合は、潜在的な重複を自由に教えてください)
私はこのスニペットを見ました: http://djangosnippets.org/snippets/365/
そしてこれ answer:
しかし、必要に応じてそれらをどのように調整できるのかと思います。複数のファイルを圧縮して、アーカイブをリンク経由でダウンロードして(またはビューから動的に生成して)利用できるようにしたいと思います。私はPythonおよびDjangoを初めて使用するので、どうすればよいかわかりません。
少し早いですがお礼を!
私はこれをウィリーがリンクした 重複する質問 に投稿しましたが、バウンティを含む質問は重複として閉じることができないため、ここにもコピーする必要があります。
import os
import zipfile
import StringIO
from Django.http import HttpResponse
def getfiles(request):
# Files (local path) to put in the .Zip
# FIXME: Change this (get paths from DB etc)
filenames = ["/tmp/file1.txt", "/tmp/file2.txt"]
# Folder name in Zip archive which contains the above files
# E.g [thearchive.Zip]/somefiles/file2.txt
# FIXME: Set this to something better
Zip_subdir = "somefiles"
Zip_filename = "%s.Zip" % Zip_subdir
# Open StringIO to grab in-memory Zip contents
s = StringIO.StringIO()
# The Zip compressor
zf = zipfile.ZipFile(s, "w")
for fpath in filenames:
# Calculate path for file in Zip
fdir, fname = os.path.split(fpath)
Zip_path = os.path.join(Zip_subdir, fname)
# Add file, at correct path
zf.write(fpath, Zip_path)
# Must close Zip for all contents to be written
zf.close()
# Grab Zip file from in-memory, make response with correct MIME-type
resp = HttpResponse(s.getvalue(), mimetype = "application/x-Zip-compressed")
# ..and correct content-disposition
resp['Content-Disposition'] = 'attachment; filename=%s' % Zip_filename
return resp
だから私はあなたの問題が動的にこのファイルを生成する方法ではなく、人々がそれをダウンロードするためのリンクを作成することであると理解しているように...
私が提案するのは次のとおりです:
0)ファイルのモデルを作成します。動的に生成する場合は、FileFieldを使用せず、このファイルを生成するために必要な情報のみを使用します。
class ZipStored(models.Model):
Zip = FileField(upload_to="/choose/a/path/")
1)Zipを作成して保存します。この手順は重要です。メモリにZipを作成し、それをキャストしてFileFieldに割り当てます。
function create_my_Zip(request, [...]):
[...]
# This is a in-memory file
file_like = StringIO.StringIO()
# Create your Zip, do all your stuff
zf = zipfile.ZipFile(file_like, mode='w')
[...]
# Your Zip is saved in this "file"
zf.close()
file_like.seek(0)
# To store it we can use a InMemoryUploadedFile
inMemory = InMemoryUploadedFile(file_like, None, "my_Zip_%s" % filename, 'application/Zip', file_like.len, None)
Zip = ZipStored(Zip=inMemory)
# Your Zip will be stored!
Zip.save()
# Notify the user the Zip was created or whatever
[...]
2)URLを作成します。たとえば、IDと一致する番号を取得します。slugfield( this )を使用することもできます
url(r'^get_my_Zip/(\d+)$', "zippyApp.views.get_Zip")
3)ビューです。このビューは、URLで渡されたIDに一致するファイルを返します。IDの代わりにテキストを送信するSlugを使用して、Slugfieldでフィルタリングを取得することもできます。
function get_Zip(request, id):
myzip = ZipStored.object.get(pk = id)
filename = myzip.Zip.name.split('/')[-1]
# You got the Zip! Now, return it!
response = HttpResponse(myzip.file, content_type='application/Zip')
response['Content-Disposition'] = 'attachment; filename=%s' % filename