你們都知道HTTP協議是無狀態的。html
無狀態的意思是每次請求都是獨立的,它的執行狀況和結果與前面的請求和以後的請求都無直接關係,它不會受前面的請求響應狀況直接影響,也不會直接影響後面的請求響應狀況。數據庫
一句有意思的話來描述就是人生只如初見,對服務器來講,每次的請求都是全新的。django
狀態能夠理解爲客戶端和服務器在某次會話中產生的數據,那無狀態的就覺得這些數據不會被保留。會話中產生的數據又是咱們須要保存的,也就是說要「保持狀態」。所以Cookie就是在這樣一個場景下誕生。瀏覽器
Cookie具體指的是一段小信息,它是服務器發送出來存儲在瀏覽器上的一組組鍵值對,下次訪問服務器時瀏覽器會自動攜帶這些鍵值對,以便服務器提取有用信息。緩存
Cookie的工做原理是:由服務器產生內容,瀏覽器收到請求後保存在本地;當瀏覽器再次訪問時,瀏覽器會自動帶上Cookie,這樣服務器就能經過Cookie的內容來判斷這個是「誰」了。安全
咱們使用Chrome瀏覽器,打開開發者工具。服務器
request.COOKIES['key'] request.get_signed_cookie(key, default=RAISE_ERROR, salt='', max_age=None)
參數:cookie
Django中設置Cookie:(針對的是響應對象)session
rep = HttpResponse(...) rep = render(request, ...) rep.set_cookie(key,value,...) rep.set_signed_cookie(key,value,salt='加密鹽',...)
參數:app
def logout(request): rep = redirect("/login/") rep.delete_cookie("user") # 刪除用戶瀏覽器上以前設置的usercookie值 return rep
Cookie雖然在必定程度上解決了「保持狀態」的需求,可是因爲Cookie自己最大支持4096字節,以及Cookie自己保存在客戶端,可能被攔截或竊取,所以就須要有一種新的東西,它能支持更多的字節,而且他保存在服務器,有較高的安全性。這就是Session。
問題來了,基於HTTP協議的無狀態特徵,服務器根本就不知道訪問者是「誰」。那麼上述的Cookie就起到橋接的做用。
咱們能夠給每一個客戶端的Cookie分配一個惟一的id,這樣用戶在訪問時,經過Cookie,服務器就知道來的人是「誰」。而後咱們再根據不一樣的Cookie的id,在服務器上保存一段時間的私密資料,如「帳號密碼」等等。
總結而言:Cookie彌補了HTTP無狀態的不足,讓服務器知道來的人是「誰」;可是Cookie以文本的形式保存在本地,自身安全性較差;因此咱們就經過Cookie識別不一樣的用戶,對應的在Session裏保存私密的信息以及超過4096字節的文本。
另外,上述所說的Cookie和Session實際上是共通性的東西,不限於語言和框架。
Session保存在服務端的鍵值對
# 獲取、設置、刪除Session中數據 request.session['k1'] request.session.get('k1',None) request.session['k1'] = 123 request.session.setdefault('k1',123) # 存在則不設置 del request.session['k1'] # 全部 鍵、值、鍵值對 request.session.keys() request.session.values() request.session.items() request.session.iterkeys() request.session.itervalues() request.session.iteritems() # 會話session的key request.session.session_key # 將全部Session失效日期小於當前日期的數據刪除 request.session.clear_expired() # 檢查會話session的key在數據庫中是否存在 request.session.exists("session_key") # 刪除當前會話的全部Session數據 request.session.delete() # 刪除當前的會話數據並刪除會話的Cookie。 request.session.flush() 這用於確保前面的會話數據不能夠再次被用戶的瀏覽器訪問 例如,django.contrib.auth.logout() 函數中就會調用它。 # 設置會話Session和Cookie的超時時間 request.session.set_expiry(value) * 若是value是個整數,session會在些秒數後失效。 * 若是value是個datatime或timedelta,session就會在這個時間後失效。 * 若是value是0,用戶關閉瀏覽器session就會失效。 * 若是value是None,session會依賴全局session失效策略。
Django中默認支持Session,其內部提供了5種類型的Session供開發者使用。settings.py文件中配置
1. 數據庫Session SESSION_ENGINE = 'django.contrib.sessions.backends.db' # 引擎(默認) 2. 緩存Session SESSION_ENGINE = 'django.contrib.sessions.backends.cache' # 引擎 SESSION_CACHE_ALIAS = 'default' # 使用的緩存別名(默認內存緩存,也能夠是memcache),此處別名依賴緩存的設置 3. 文件Session SESSION_ENGINE = 'django.contrib.sessions.backends.file' # 引擎 SESSION_FILE_PATH = None # 緩存文件路徑,若是爲None,則使用tempfile模塊獲取一個臨時地址tempfile.gettempdir() 4. 緩存+數據庫 SESSION_ENGINE = 'django.contrib.sessions.backends.cached_db' # 引擎 5. 加密Cookie Session SESSION_ENGINE = 'django.contrib.sessions.backends.signed_cookies' # 引擎 其餘公用設置項: SESSION_COOKIE_NAME = "sessionid" # Session的cookie保存在瀏覽器上時的key,即:sessionid=隨機字符串(默認) SESSION_COOKIE_PATH = "/" # Session的cookie保存的路徑(默認) SESSION_COOKIE_DOMAIN = None # Session的cookie保存的域名(默認) SESSION_COOKIE_SECURE = False # 是否Https傳輸cookie(默認) SESSION_COOKIE_HTTPONLY = True # 是否Session的cookie只支持http傳輸(默認) SESSION_COOKIE_AGE = 1209600 # Session的cookie失效日期(2周)(默認) SESSION_EXPIRE_AT_BROWSER_CLOSE = False # 是否關閉瀏覽器使得Session過時(默認) SESSION_SAVE_EVERY_REQUEST = False # 是否每次請求都保存Session,默認修改以後才保存(默認)
CBV實現的登陸視圖
class LoginView(View): def get(self, request): """ 處理GET請求 """ return render(request, 'login.html') def post(self, request): """ 處理POST請求 """ user = request.POST.get('user') pwd = request.POST.get('pwd') if user == 'alex' and pwd == "alex1234": next_url = request.GET.get("next") # 生成隨機字符串 # 寫瀏覽器cookie -> session_id: 隨機字符串 # 寫到服務端session: # { # "隨機字符串": {'user':'alex'} # } request.session['user'] = user if next_url: return redirect(next_url) else: return redirect('/index/') return render(request, 'login.html')
要在CBV視圖中使用咱們上面的check_login裝飾器,有如下三種方式:
from django.utils.decorators import method_decorator
from django.utils.decorators import method_decorator class HomeView(View): def dispatch(self, request, *args, **kwargs): return super(HomeView, self).dispatch(request, *args, **kwargs) def get(self, request): return render(request, "home.html") @method_decorator(check_login) def post(self, request): print("Home View POST method...") return redirect("/index/")
from django.utils.decorators import method_decorator class HomeView(View): @method_decorator(check_login) def dispatch(self, request, *args, **kwargs): return super(HomeView, self).dispatch(request, *args, **kwargs) def get(self, request): return render(request, "home.html") def post(self, request): print("Home View POST method...") return redirect("/index/")
由於CBV中首先執行的就是dispatch方法,因此這麼寫至關於給get和post方法都加上了登陸校驗。
若是get方法和post方法都須要登陸校驗的話就寫兩個裝飾器。
from django.utils.decorators import method_decorator @method_decorator(check_login, name="get") @method_decorator(check_login, name="post") class HomeView(View): def dispatch(self, request, *args, **kwargs): return super(HomeView, self).dispatch(request, *args, **kwargs) def get(self, request): return render(request, "home.html") def post(self, request): print("Home View POST method...") return redirect("/index/")
CSRF Token相關裝飾器在CBV只能加到dispatch方法上,或者加在視圖類上而後name參數指定爲dispatch方法。
備註:
from django.views.decorators.csrf import csrf_exempt, csrf_protect from django.utils.decorators import method_decorator class HomeView(View): @method_decorator(csrf_exempt) def dispatch(self, request, *args, **kwargs): return super(HomeView, self).dispatch(request, *args, **kwargs) def get(self, request): return render(request, "home.html") def post(self, request): print("Home View POST method...") return redirect("/index/")
或者
from django.views.decorators.csrf import csrf_exempt, csrf_protect from django.utils.decorators import method_decorator @method_decorator(csrf_exempt, name='dispatch') class HomeView(View): def dispatch(self, request, *args, **kwargs): return super(HomeView, self).dispatch(request, *args, **kwargs) def get(self, request): return render(request, "home.html") def post(self, request): print("Home View POST method...") return redirect("/index/")
說明:app01使用Cookie,app02使用Session
from django.conf.urls import url from django.contrib import admin from app01 import views as v1 from app02 import views as v2 urlpatterns = [ url(r'^admin/', admin.site.urls), url(r'^app01/login/$', v1.login), url(r'^app01/home/$', v1.home), url(r'^app01/index/$', v1.index), url(r'^app01/logout/$', v1.logout), url(r'^app02/login/$', v2.login), url(r'^app02/home/$', v2.home), url(r'^app02/index/$', v2.index), url(r'^app02/logout/$', v2.logout), url(r'^app02/userinfo/$', v2.userInfo.as_view()), ]
app01目錄下:
# home.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>home</title> </head> <body> <h1>這是home頁面</h1> <a href="app01/logout">註銷</a> </body> </html> # index.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>index</title> </head> <body> <h1>這是Index頁面</h1> </body> </html> # login.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>index</title> </head> <body> <h1>這是login頁面</h1> <form action="{{ request.get_full_path }}" method="post"> {% csrf_token %} <p> 用戶名: <input type="text" name="user"> </p> <p> 密碼: <input type="text" name="pwd"> </p> <input type="submit" value="提交"> </form> </body> </html>
app02目錄下:
# home.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>home</title> </head> <body> <h1>這是{{ user }}主頁面</h1> <a href="/app02/logout/">註銷</a> </body> </html> # index.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>index</title> </head> <body> <h1>這是Index頁面</h1> </body> </html> # login.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>index</title> </head> <body> <h1>這是login頁面</h1> <form action="{{ request.get_full_path }}" method="post"> {% csrf_token %} <p> 用戶名: <input type="text" name="user"> </p> <p> 密碼: <input type="text" name="pwd"> </p> <input type="submit" value="提交"> </form> </body> </html>
from django.shortcuts import render,redirect # Create your views here. from functools import wraps def check_login(func): @wraps(func) # 裝飾器修復技術 def inner(request, *args, **kwargs): # 已經登陸過的 繼續執行 ret = request.get_signed_cookie("is_login", default="0", salt="jiayan") if ret == "1": return func(request, *args, **kwargs) # 沒有登陸過的 跳轉到登陸頁面 else: # 獲取當前訪問的URL next_url = request.path_info print(next_url) return redirect("/app01/login/?next={}".format(next_url)) return inner def login(request): print(request.get_full_path()) #獲取當前請求的路徑和參數 print(request.path_info) # 獲取當前請求的路徑 if request.method == "POST": user = request.POST.get("user") pwd = request.POST.get("pwd") # 從URL裏面取到 next參數 next_url = request.GET.get("next") if user == "root" and pwd == "root": # 登陸成功 # 告訴瀏覽器保存一個鍵值對 if next_url: rep = redirect(next_url) # 獲得一個響應對象 else: rep = redirect("/app01/home/") # 設置加鹽的cookie rep.set_signed_cookie("is_login", "1", salt="jiayan", max_age=30) # 設置超時時間 默認單位是秒 return rep return render(request, "app01/login.html") def home(request): # 從請求的cookie中查找有沒有cookie # 取加鹽過的cookie ret = request.get_signed_cookie("is_login", default="0", salt="jiayan") # ret = request.COOKIES.get("is_login", 0) if ret == "1": # 表示已經登陸過 return render(request, "app01/home.html") else: return redirect("/app01/login/") @check_login def index(request): return render(request, "app01/index.html") # 註銷函數 def logout(request): # 如何刪除cookie rep = redirect("/app01/login/") rep.delete_cookie("is_login") return rep
from django.shortcuts import render,redirect from django.utils.decorators import method_decorator from django import views # Create your views here. from functools import wraps def check_login(func): @wraps(func) # 裝飾器修復技術 def inner(request, *args, **kwargs): ret = request.session.get("is_login") # 1. 獲取cookie中的隨機字符串 # 2. 更具隨機字符串去數據庫取 session_data ———> 解密 ———> 反序列化成字典 # 3. 在字典裏面 根據 is_login 取具體的數據 if ret == "1": # 已經登陸過的 繼續執行 return func(request, *args, **kwargs) # 沒有登陸過的 跳轉到登陸頁面 else: # 獲取當前訪問的URL next_url = request.path_info print(next_url) return redirect("/app02/login/?next={}".format(next_url)) return inner def login(request): if request.method == "POST": user = request.POST.get("user") pwd = request.POST.get("pwd") # 從URL裏面取到 next參數 next_url = request.GET.get("next") if user == "root" and pwd == "root": # 登陸成功 # 告訴瀏覽器保存一個鍵值對 if next_url: rep = redirect(next_url) # 獲得一個響應對象 else: rep = redirect("/app02/home/") # 設置session request.session["is_login"] = "1" request.session["user"] = user request.session.set_expiry(7) return rep return render(request, "app02/login.html") @check_login def home(request): user = request.session.get("user") return render(request, "app02/home.html", {"user": user}) @check_login def index(request): return render(request, "app02/index.html") # 註銷函數 def logout(request): # 只刪除session數據 request.session.delete() # 如何刪除session數據和cookie request.session.flush() return redirect("/app02/login/") # 給CBV視圖加裝飾器 class userInfo(views.View): @method_decorator(check_login) def get(self, request): return render(request, "app02/userinfo.html")