세션은 사이트와 특정 브라우저 사이의
연결 상태(state)를 유지시키는 것을 말한다.
즉, 페이지의 임의의 데이터를 저장하고,
다시 사이트에 접속할 때 마다 활용될 수 있도록 한다.
세션에 연결된 각각의 데이터들은 "key"에 의해 인용되고,
"key"를 이용해 데이터를 찾거나 저장한다.
Django는 특정 session id를 포함하는 쿠키를 이용해서
각 브라우저와 사이트가 연결된 세션을 알아낸다.
세션 사용 하기
Django의 세션은 기본적으로 프로젝트가 생성될 때
위와 같이 sttings.py에 자동적으로 설정 된다.
세션의 속성은 session 속성은 request객체에서 파생된 view안에 있다.
정확히 말하면
view로 전달되는 HttpRequest의 첫 번째 함수이다.
브라우저의 cookie안에 정의되어 있다.
이 session은 사전형(dictionary) 자료형으로
표준적인 Dictionary API를 통해
데이터를 가져오거나 저장 및 삭제를 할 수 있다.
Session 관련 API 사용법에 대해서는
공식 도큐먼트 아래의 링크를 참고하길 바란다.
세션 데이터 저장 하기
기본적으로 Django는
세션 데이터를 세션 DB에 저장한다.
그리고 해당 세션 데이터(Cookie)가
필요할 때마다 불러와서 사용 한다.
즉, 메모리 상에 올라가 있는
Session의 정보가 변경되었거나 삭제되었을 때
세션 DB에 저장되어 있는 데이터는 그대로라는 말이된다.
이는 DB에서 commit을 하지 않으면
저장되지 않듯이
그러한 장치를 해 놓은것 같다.
# Session object not directly modified, only data within the session. Session changes not saved!
request.session['my_car']['wheels'] = 'alloy'
# Set session as modified to force data updates/cookie to be saved.
request.session.modified = True
따라서 만약
메모리 상에 올라가 있는 세션 데이터를 저장하고 싶다면
request.session.modified = True로 세션 데이터를 저장해주어야 한다.
간단한 예제 : 방문자 수 받아오기
간단한 예제로
유저가 LocalLibrary 페이지에 몇 번이나 방문했는지
알려주도록 기능을 추가할 수 있다.
def index(request):
...
num_authors = Author.objects.count() # The 'all()' is implied by default.
# Number of visits to this view, as counted in the session variable.
num_visits = request.session.get('num_visits', 0)
request.session['num_visits'] = num_visits + 1
context = {
'num_books': num_books,
'num_instances': num_instances,
'num_instances_available': num_instances_available,
'num_authors': num_authors,
'num_visits': num_visits,
}
# Render the HTML template index.html with the data in the context variable.
return render(request, 'index.html', context=context)
위의 빨간색 박스와 같이
/locallibrary/catalog/views.py에 코드를 추가하자.
먼저 num_visits 변수에
세션 DB로 부터 'num_visits'라는 Key 값을 가지는
사전형 데이터를 불러오는데,
방문한적이 없다면 Value값을 0으로 정의한다.
그 다음 'num_visits' Key값을 가지는
Value값을 1만큼 증가 시킨다.
<h1>Local Library Home</h1>
<p>Welcome to LocalLibrary, a website developed by <em>Mozilla Developer Network</em>!</p>
<h2>Dynamic content</h2>
<p>The library has the following record counts:</p>
<ul>
<li><strong>Books:</strong> {{ num_books }}</li>
<li><strong>Copies:</strong> {{ num_instances }}</li>
<li><strong>Copies available:</strong> {{ num_instances_available }}</li>
<li><strong>Authors:</strong> {{ num_authors }}</li>
<li><strong>books name('of'):</strong> {{ num_books_of }}</li>
<li><strong>books name('of') list :</strong> {{ books_title_of }}</li>
<li><strong>books genre name('of') list :</strong> {{ books_genre_of }}</li>
</ul>
<p>You have visited this page {{ num_visits }}{% if num_visits == 1 %} time{% else %} times{% endif %}.</p>
그 다음 위와 같이
/locallibrary/catalog/templates/index.html에 코드를 추가한 후
웹 페이지를 확인해보자.
위의 코드로
방문자의 고유 세션 ID를 통해
계속해서 'num_visits' Key값과
Value가 불려오지게 될 것이고 1씩 증가 될 것이다.