1. 首先新建文件夾media 後 在項目setting中具體配置: 在 setting 中的 TEMPLATES 下的 OPTIONS 中的 context_processors 中追加: TEMPLATES = [ { 'DIRS': [os.path.join(BASE_DIR, 'templ ...
1. 首先新建文件夾media 後
在項目setting中具體配置:
1 MEDIA_URL = '/media/' 2 MEDIA_ROOT = os.path.join(BASE_DIR, 'media')
在 setting 中的 TEMPLATES 下的 OPTIONS 中的 context_processors 中追加:
TEMPLATES = [ { 'DIRS': [os.path.join(BASE_DIR, 'templates')], ...... 'OPTIONS': { 'context_processors': [ ...... 'django.template.context_processors.media', # django 2 # ('django.core.context_processors.media' # django1.x 版本) ], }, }, ]View Code
此時 就可以在 templates下的 html 模板中使用 {{ MEDIA_URL }}{{ book.image }} 自動生成 相應鏈接 如 http://127.0.0.1:8000/media/image/2019/02/10489s.jpg
2 在url.py 中配置路由:
from bookweb.settings import MEDIA_ROOT, STATICFILES_ROOT from django.views.static import serve urlpatterns = [ re_path('^media/(?P<path>.*)$', serve, {'document_root': MEDIA_ROOT }), ]
此時 請求圖片鏈接 http://127.0.0.1:8000/media/image/2019/02/10489s.jpg 也可以訪問相關圖片
關於在用戶上傳時,文件的存儲:
django 的modle 中的欄位用於文件存儲的主要有兩個: models.ImageField 和 models.FileField
其中 內部參數都有 upload_to 其設置的為上傳文件的 存儲相對路徑, 以之前 設置的 MEDIA_URL 為相對點
如modle中定義的img :
img = models.ImageField(upload_to='img/%Y/%m', verbose_name='圖片')
# %Y 創建以年份為名的文件夾 %Ym 創建以月份為名的文件夾
用戶上傳圖片時img存儲的值為 圖片的相對於的相對路徑,即media文件夾下的img文件加下的年份文件夾下的月份文件夾內的圖片地址。
實現代碼為
由於是POST 方式 上傳的數據文件, 我們先對其進行表單驗證:
先在應用下的forms.py 創建需要的form表單
class UploadImageForm(forms.ModelForm): class Meta: model = UserProfile fields = ['image']
在定義域上傳文件處理的函數或View:
class ImageUploadView(LoginRequiredMixin, View): '''上傳頭像''' def post(self, request): # 保存方法一 # image_form = UploadImageForm(request.POST, request.FILES) # if image_form.is_valid(): # image = image_form.cleaned_data['image'] # request.user.image = image # request.user.save() # 保存方法二 image_form = UploadImageForm(request.POST, request.FILES, instance=request.user) if image_form.is_valid(): image_form.save() return render(request, 'usercenter-info.html', {})
django 會自動將記憶體中的文件保存到我們modle類中定義的路徑下,並將其相對路徑值傳給驗證後的 form 下的 cleaned_data[key] 中。 如上述代碼中的方法一。