Django 在没有 FileField 或 ImageField 和 MEDIAROOT 的特定文件夹中上传图像

Django Upload Image in specific folder without FileField or ImageField and MEDIAROOT

我的应用程序需要在静态文件夹内的不同文件夹中上传不同的个人资料图片。 还有一件事,我没有使用模型,我只是想拍摄我在 html 输入文件中选择的图片并复制到特定文件夹。

这是我的文件夹树。我想保存上传图像的地方是 MYPROJECTFOLDER/static/profile/<TheUserSpecificFolder>/,那是我不想使用 MEDIA_ROOT 的地方,因为在媒体根目录中我无法为每个用户创建特定的文件夹。 (我不知道这是否正确,如果有一种方法可以在不使用 ImageFieldFileField 的情况下为 /media/ 文件夹中的每个用户创建一个特定的文件夹,请告诉我)。 =17=]

这是我的文件夹树:

MYPROJECTFOLDER
|
|------myproject/
|
|------myapp/
|
|------static
|      |-------profile
|              |------folder_user1
|                     |------ uploadedpicture.jpg #Here is where I want to upload
|                     |------folder_user2

这是我的uploadpic.html

<form action="{% url 'upload' %}" 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>

这是我的views.py

from django.shortcuts import render, HttpResponse, redirect
from . import forms
import os

def upload(request):
  img = request.FILES['avatar']
  #This just create the folder where I want to save the image.
  if not os.path.exists('static/profile/' + str(request.session['user_id'])):
    os.mkdir('static/profile/' + str(request.session['user_id']))

  #NOW HERE IS WHERE I WANT TO WRITE THE CODE THAT SAVE THE IMAGE INTO THE FOLDER I JUST CREATED


return redirect('companyedit')

既然你这么说:

I don't want to use MEDIA_ROOT, becouse in media root I can't create a specific folder to each user

事实上,你可以。你问了一个 before and the answer I posted allows you to do that. Simply put, yes, you can create separate folders for users in MEDIA_ROOT. See .


无论如何,如果你还想手动上传自定义文件夹中的图片,那么,你可以这样做:

def upload(request):
    img = request.FILES['avatar']
    img_extension = os.path.splitext(img.name)[1]

    user_folder = 'static/profile/' + str(request.session['user_id'])
    if not os.path.exists(user_folder):
        os.mkdir(user_folder)

    img_save_path = "%s/%s%s" user_folder, 'avatar', img_extension
    with open(img_save_path, 'wb+') as f:
        for chunk in img.chunks():
            f.write(chunk)

注意!

根据 dahrens 在下面的评论中提出的建议,以下是您应该保留 static 文件和 media 个文件在不同的位置:

  1. 静态文件被认为是安全的,因为它们来自您,开发人员 - 媒体文件来自用户空间,可能需要额外注意,因此未经检查不能认为它们是安全的。
  2. Media/uploaded 文件会随着越来越多的用户上传文件而不断增长。使用您当前的方法,您可能 运行 存储空间不足 space。
  3. 几乎每个严肃的网络应用程序都将上传的媒体文件托管在单独的服务器中,因此存储不会成为问题。这就是为什么将上传的图像保存在 MEDIA_ROOT 中是个好主意。因为您所要做的就是更改 MEDIA_ROOT 的值,Django 会将图像保存在那里。