복붙노트

[PYTHON] 장고 - 여러 파일의 우편 번호 만들기 및 다운로드 가능 [복제]

PYTHON

장고 - 여러 파일의 우편 번호 만들기 및 다운로드 가능 [복제]

(필자가 놓친다면 중복 가능성이 있음을 알려주십시오.)

이 스 니펫을 살펴 봤습니다. http://djangosnippets.org/snippets/365/

이 답변 :

하지만 필자는 필자의 필요에 맞게 조정할 수있는 방법이 궁금합니다. 여러 파일을 압축하고 링크를 통해 다운로드 할 수 있도록 (또는보기를 통해 동적으로 생성) 싶습니다. 파이썬과 장고에 익숙하지 않아서 어떻게해야 될지 모르겠습니다.

미리 감사드립니다!

해결법

  1. ==============================

    1.나는 Willy가 링크 된 중복 질문에이 글을 올렸지 만 현상금이있는 질문은 중복으로 닫을 수 없기 때문에 여기에 복사 할 수도 있습니다.

    나는 Willy가 링크 된 중복 질문에이 글을 올렸지 만 현상금이있는 질문은 중복으로 닫을 수 없기 때문에 여기에 복사 할 수도 있습니다.

    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
    
  2. ==============================

    2.따라서 귀하의 문제는이 파일을 동적으로 생성하는 방법이 아니라 다운로드 할 링크를 만드는 것입니다.

    따라서 귀하의 문제는이 파일을 동적으로 생성하는 방법이 아니라 다운로드 할 링크를 만드는 것입니다.

    내가 제안하는 것은 다음과 같다.

    0) 파일을 동적으로 생성하려면 FileField를 사용하지 않고이 파일을 생성하는 데 필요한 정보 만 필요합니다.

    class ZipStored(models.Model):
        zip = FileField(upload_to="/choose/a/path/")
    

    1) 우편 번호를 만들어 저장하십시오. 이 단계는 중요합니다. 메모리에 우편 번호를 만든 다음 캐스팅하여 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, 'text/plain', 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 대신 텍스트를 보내는 슬러그를 사용할 수 있으며 슬러그 필드로 필터링을 수행 할 수 있습니다.

    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='text/plain')
        response['Content-Disposition'] = 'attachment; filename=%s' % filename
    
  3. from https://stackoverflow.com/questions/12881294/django-create-a-zip-of-multiple-files-and-make-it-downloadable by cc-by-sa and MIT license