Search code examples
pythondjangofile-uploadimage-uploaddjango-file-upload

Copy file into another folder with django?


I need to upload profile images into diferent folders in Django. So, I have a folder for each account, and the profile image have to go to the specific folder. How can I do that?

Here is my uploadprofile.html

<form action="{% url 'uploadimage' %}" enctype="multipart/form-data" method="POST">
  {% csrf_token %}
  <input type="file" name="avatar" accept="image/gif, image/jpeg, image/png">
  <button type="submit">Upload</button>
</form>

And here is my view in views.py

def uploadimage(request):
    img = request.FILES['avatar'] #Here I get the file name, THIS WORKS

    #Here is where I create the folder to the specified profile using the user id, THIS WORKS TOO
    if not os.path.exists('static/profile/' + str(request.session['user_id'])):
        os.mkdir('static/profile/' + str(request.session['user_id']))


    #Here is where I create the name of the path to save as a VARCHAR field, THIS WORKS TOO
    avatar = "../../static/profile/" + str(request.session['user_id']) + "/" + str(img)

    #THEN I HAVE TO COPY THE FILE IN img TO THE CREATED FOLDER

    return redirect(request, 'myapp/upload.html')

Solution

  • By looking at Django docs what you get when you do img = request.FILES['avatar'] is a file descriptor that points to an open file with your image.

    Then you should to dump the contents in your actual avatar path, right?

    #Here is where I create the name of the path to save as a VARCHAR field, THIS WORKS TOO
    avatar = "../../static/profile/" + str(request.session['user_id']) + "/" + str(img)
    # # # # # 
    with open(avatar, 'wb') as actual_file:
        actual_file.write(img.read())
    # # # # #    
    return redirect(request, 'myapp/upload.html')
    

    Beware: the code is untested.