溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務條款》

django-視圖

發(fā)布時間:2020-07-02 19:25:40 來源:網(wǎng)絡 閱讀:338 作者:lixiaobo994 欄目:開發(fā)技術

視圖

    url

        Django中url匹配是寫在 urls.py 文件中,用正則表達式對應 views.py 中的一個函數(shù)

        配置url和對應視圖函數(shù)之間的映射

        url(r'^$', views.index),

        url(r'^manage/(?P<name>\w*)/(?P<id>\d*)', views.manage),

        url(r'^manage/(?P<name>\w*)', views.manage,{'id':333}),        

        url(r'^web/',include('web.urls')), 根據(jù)app對路由規(guī)則進行一次分類

視圖

一個視圖函數(shù),簡稱視圖,是一個簡單的Python 函數(shù),它接受Web請求并且返回Web響應。

下面是一個返回當前日期和時間作為HTML文檔的視圖:

from django.http import HttpResponse

import datetime

def current_datetime(request):

now = datetime.datetime.now()

html = "<html><body>It is now %s.</body></html>" % now

return HttpResponse(html)

快捷函數(shù)

render(request, template_name[, context][, context_instance][, content_type][, status][, current_app][, dirs][, using])

request 必選參數(shù)

用于生成響應的請求對象。

status

響應的狀態(tài)碼。默認為200。

redirect(to, [permanent=False, ]*args, **kwargs)


裝飾器

require_http_methods(request_method_list)[source]

限制視圖只能服務規(guī)定的http方法。用法:

from django.views.decorators.http import require_http_methods

@require_http_methods(["GET", "POST"])

def my_view(request):

pass

require_GET()

只允許視圖接受GET方法的裝飾器。

require_POST()

只允許視圖接受POST方法的裝飾器。

require_safe()

只允許視圖接受 GET 和 HEAD 方法的裝飾器。 這些方法通常被認為是安全的,因為方法不該有請求資源以外的目的。

請求和響應對象

Django 使用Request 對象和Response 對象在系統(tǒng)間傳遞狀態(tài)。

HttpRequest.method

一個字符串,表示請求使用的HTTP 方法。必須使用大寫。例如:

if request.method == 'GET':

do_something()

elif request.method == 'POST':

do_something_else()

HttpRequest.path 一個字符串,表示請求的頁面的完整路徑,不包含域名。

HttpRequest.POST 一個類似于字典的對象,如果請求中包含表單數(shù)據(jù),則包含HTTP POST 的所有參數(shù)。

HttpRequest.COOKIES 一個標準的Python 字典,包含所有的cookie。鍵和值都為字符串。

HttpRequest.FILES 一個類似于字典的對象,包含所有的上傳文件。FILES 中的每個鍵為<input type="file" name="" /> 中的name。

JsonResponse 對象

典型的用法如下:

from django.http import JsonResponse

response = JsonResponse({'foo': 'bar'})


文件上傳

當Django在處理文件上傳的時候,文件數(shù)據(jù)被保存在request. FILES

from django import forms


class UploadFileForm(forms.Form):

title = forms.CharField(max_length=50)

file = forms.FileField()


def handle_uploaded_file(f):

with open('some/file/name.txt', 'wb+') as destination:

for chunk in f.chunks():

destination.write(chunk)

def upload_file(request):

if request.method == 'POST':

form = UploadFileForm(request.POST, request.FILES)

if form.is_valid():

handle_uploaded_file(request.FILES['file'])


向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權內(nèi)容。

AI