Example #1
0
	def post(self, request):
		success = False
		try:
			image = request.FILES['image']
			upload = Image()
			upload.image = image
			upload.save()
			success = True
		except:
			success = False

		result = {'success': success, 'url': upload.image.url,}

		return JsonResponse(result)
Example #2
0
    def post(self, request):
        success = False
        try:
            image = request.FILES['image']
            upload = Image()
            upload.image = image
            upload.save()
            success = True
        except:
            success = False

        result = {
            'success': success,
            'url': upload.image.url,
        }

        return JsonResponse(result)
Example #3
0
def index(request):
    if request.method == "POST":
        images = request.FILES.getlist('file_field')
        for image in images:
            handle_uploaded_file(image)
            try:
                Image(filename=image.name).save()
            except:
                pass

    total = len(Image.objects.all())
    return render(request, 'upload/index.html', {'total': total})
def Upload(request):
    """
    
    ## View for file uploads ##

    It does the following actions:
        - displays a template if no action have been specified
        - upload a file into unique temporary directory
                unique directory for an upload session
                    meaning when user opens up an upload page, all upload actions
                    while being on that page will be uploaded to unique directory.
                    as soon as user will reload, files will be uploaded to a different
                    unique directory
        - delete an uploaded file

    ## How Single View Multi-functions ##

    If the user just goes to a the upload url (e.g. '/upload/'), the request.method will be "GET"
        Or you can think of it as request.method will NOT be "POST"
    Therefore the view will always return the upload template

    If on the other side the method is POST, that means some sort of upload action
    has to be done. That could be either uploading a file or deleting a file

    For deleting files, there is the same url (e.g. '/upload/'), except it has an
    extra query parameter. Meaning the url will have '?' in it.
    In this implementation the query will simply be '?f=filename_of_the_file_to_be_removed'

    If the request has no query parameters, file is being uploaded.

    """

    # used to generate random unique id
    import uuid

    # settings for the file upload
    #   you can define other parameters here
    #   and check validity late in the code
    options = {
        # the maximum file size (must be in bytes)
        "maxfilesize": 2 * 2 ** 20, # 2 Mb
        # the minimum file size (must be in bytes)
        "minfilesize": 1 * 2 ** 10, # 1 Kb
        # the file types which are going to be allowed for upload
        #   must be a mimetype
        "acceptedformats": (
            "application/pdf",
            )
    }


    # POST request
    #   meaning user has triggered an upload action
    if request.method == 'POST':
        # figure out the path where files will be uploaded to
        # PROJECT_ROOT is from the settings file
        temp_path = os.path.join(settings.PROJECT_ROOT, "tmp")

        # if 'f' query parameter is not specified
        # file is being uploaded
        if not ("f" in request.GET.keys()): # upload file

            # make sure some files have been uploaded
            if not request.FILES:
                return HttpResponseBadRequest('Must upload a file')

            # make sure unique id is specified - VERY IMPORTANT
            # this is necessary because of the following:
            #       we want users to upload to a unique directory
            #       however the uploader will make independent requests to the server
            #       to upload each file, so there has to be a method for all these files
            #       to be recognized as a single batch of files
            #       a unique id for each session will do the job
            if not request.POST[u"uid"]:
                return HttpResponseBadRequest("UID not specified.")
                # if here, uid has been specified, so record it
            uid = request.POST[u"uid"]
            
            #unique id to avoide overwriting pdf with same name
            uniq_id = str(uuid.uuid4())
            
            # update the temporary path by creating a sub-folder within
            # the upload folder with the uid name
            #temp_path = os.path.join(temp_path, uid)

            # get the uploaded file
            file = request.FILES[u'files[]']

            # initialize the error
            # If error occurs, this will have the string error message so
            # uploader can display the appropriate message
            error = False

            # check against options for errors

            # file size
            if file.size > options["maxfilesize"]:
                error = "maxFileSize"
            if file.size < options["minfilesize"]:
                error = "minFileSize"
                # allowed file type
            if file.content_type not in options["acceptedformats"]:
                error = "acceptFileTypes"


            # the response data which will be returned to the uploader as json
            response_data = {
                "name": uniq_id + '-' + file.name,
                "size": file.size,
                "type": file.content_type
            }

            # if there was an error, add error message to response_data and return
            if error:
                # append error message
                response_data["error"] = error
                # generate json
                response_data = simplejson.dumps([response_data])
                # return response to uploader with error
                # so it can display error message
                return HttpResponse(response_data, mimetype='application/json')


            # make temporary dir if not exists already
            if not os.path.exists(temp_path):
                os.makedirs(temp_path)

            # get the absolute path of where the uploaded file will be saved
            # all add some random data to the filename in order to avoid conflicts
            # when user tries to upload two files with same filename
            
            filename = os.path.join(temp_path, uniq_id + '-' + file.name)
            # open the file handler with write binary mode
            destination = open(filename, "wb+")
            # save file data into the disk
            # use the chunk method in case the file is too big
            # in order not to clutter the system memory
            for chunk in file.chunks():
                destination.write(chunk)
                # close the file
            destination.close()
            img = Image(filename=(uniq_id + '-' + file.name), size = file.size)
            img.save()

            # here you can add the file to a database,
            #                           move it around,
            #                           do anything,
            #                           or do nothing and enjoy the demo
            # just make sure if you do move the file around,
            # then make sure to update the delete_url which will be send to the server
            # or not include that information at all in the response...

            # allows to generate properly formatted and escaped url queries
            import urllib

            # url for deleting the file in case user decides to delete it
            response_data["delete_url"] = request.path + "?" + urllib.urlencode(
                    {"f": uniq_id + '-' + file.name})
            # specify the delete type - must be POST for csrf
            response_data["delete_type"] = "POST"

            # generate the json data
            response_data = simplejson.dumps([response_data])
            # response type
            response_type = "application/json"

            # QUIRK HERE
            # in jQuey uploader, when it falls back to uploading using iFrames
            # the response content type has to be text/html
            # if json will be send, error will occur
            # if iframe is sending the request, it's headers are a little different compared
            # to the jQuery ajax request
            # they have different set of HTTP_ACCEPT values
            # so if the text/html is present, file was uploaded using jFrame because
            # that value is not in the set when uploaded by XHR
            if "text/html" in request.META["HTTP_ACCEPT"]:
                response_type = "text/html"

            # return the data to the uploading plugin
            return HttpResponse(response_data, mimetype=response_type)

        else: # file has to be deleted
            temp_path = os.path.join(settings.PROJECT_ROOT, "tmp")
            # get the file path by getting it from the query (e.g. '?f=filename.here')
            filepath = os.path.join(temp_path, request.GET["f"])

            # make sure file exists
            # if not return error
            print filepath
            if not os.path.isfile(filepath):
                return HttpResponseBadRequest(filepath+"--File does not exist")

            # delete the file
            # this step might not be a secure method so extra
            # security precautions might have to be taken
            os.remove(filepath)
            
            #to remove entry from image database
            d = Image.objects.get(filename=request.GET["f"])
            d.delete()

            # generate true json result
            # in this case is it a json True value
            # if true is not returned, the file will not be removed from the upload queue
            response_data = simplejson.dumps(True)

            # return the result data
            # here it always has to be json
            return HttpResponse(response_data, mimetype="application/json")

    else: #GET
        # load the template
        upload_data = Image.objects.all()
#        t = loader.get_template("upload.html")
#        c = Context({
            # the unique id which will be used to get the folder path
#            "uid": uuid.uuid4(),
            #data from upload_image database
#            "data":upload_data,
            # these two are necessary to generate the jQuery templates
            # they have to be included here since they conflict with django template system
#            "open_tv": u'{{',
#            "close_tv": u'}}',
            # some of the parameters to be checked by javascript
#            "maxfilesize": options["maxfilesize"],
#            "minfilesize": options["minfilesize"],
#            })
        # add csrf token value to the dictionary
#        c.update(csrf(request))
        # return
        #return HttpResponse(t.render(c))
        return render_to_response("upload.html",{
            # the unique id which will be used to get the folder path
            "uid": uuid.uuid4(),
            #data from upload_image database
            "data":upload_data,
            # these two are necessary to generate the jQuery templates
            # they have to be included here since they conflict with django template system
            "open_tv": u'{{',
            "close_tv": u'}}',
            # some of the parameters to be checked by javascript
            "maxfilesize": options["maxfilesize"],
            "minfilesize": options["minfilesize"],
            }, RequestContext(request),
        )