여러분, 다시 오신 것을 환영합니다! 이전 부분에서는 Django 블로그 애플리케이션에 대한 보안 사용자 등록 프로세스를 구축했습니다. 그러나 성공적으로 등록한 후 홈페이지로 리디렉션되었습니다. 이 동작은 사용자 인증을 구현하면 수정됩니다. 사용자 인증은 승인된 사용자만 특정 기능에 액세스할 수 있도록 보장하고 민감한 정보를 보호합니다.
이 시리즈에서는 다음 ERD(Entity-Relationship Diagram)에 따라 완전한 블로그 애플리케이션을 구축합니다. 이번에는 안전한 사용자 인증 프로세스를 설정하는 데 중점을 둘 것입니다. 이 콘텐츠가 도움이 되셨다면 좋아요, 댓글, 구독을 눌러주세요 다음 편이 공개될 때에도 최신 소식을 받아보실 수 있습니다.
이것은 로그인 기능을 구현한 후 로그인 페이지가 어떻게 보일지에 대한 미리보기입니다. 시리즈의 이전 부분을 아직 읽어보지 않으셨다면, 이 튜토리얼이 이전 단계의 연속이므로 읽어보시길 권장합니다.
자, 시작해 보겠습니다 !!
Django에는 사용자 인증 처리를 단순화하는 contrib.auth라는 앱이 내장되어 있습니다. blog_env/settings.py 파일을 확인하면 INSTALLED_APPS 아래에 인증이 이미 나열되어 있는 것을 볼 수 있습니다.
# django_project/settings.py INSTALLED_APPS = [ # "django.contrib.admin", "django.contrib.auth", # <-- Auth app "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", ]
auth 앱은 로그인, 로그아웃, 비밀번호 변경, 비밀번호 재설정 등을 처리하기 위한 여러 인증 보기를 제공합니다. 이는 사용자 로그인, 등록, 권한과 같은 필수 인증 기능을 별도의 작업 없이 사용할 수 있음을 의미합니다. 처음부터 모든 것을 구축합니다.
이 튜토리얼에서는 로그인 및 로그아웃 보기에만 초점을 맞추고 나머지 보기는 시리즈 후반부에서 다룰 것입니다.
TDD 접근 방식에 따라 로그인 양식에 대한 테스트를 만드는 것부터 시작해 보겠습니다. 아직 로그인 양식을 만들지 않았으므로 users/forms.py 파일로 이동하여 AuthenticationForm을 상속하는 새 클래스를 만듭니다.
# users/forms.py from django.contrib.auth import AuthenticationForm class LoginForm(AuthenticationForm):
양식이 정의되면 users/tests/test_forms.py에 테스트 사례를 추가하여 기능을 확인할 수 있습니다.
# users/tests/test_forms.py # --- other code class LoginFormTest(TestCase): def setUp(self): self.user = User.objects.create_user( full_name= 'Tester User', email= 'tester@gmail.com', bio= 'new bio for tester', password= 'password12345' ) def test_valid_credentials(self): """ With valid credentials, the form should be valid """ credentials = { 'email': 'tester@gmail.com', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertTrue(form.is_valid()) def test_wrong_credentials(self): """ With wrong credentials, the form should raise Invalid email or password error """ credentials = { 'email': 'tester@gmail.com', 'password': 'wrongpassword', 'remember_me': False } form = LoginForm(data = credentials) self.assertIn('Invalid email or password', str(form.errors['__all__'])) def test_credentials_with_empty_email(self): """ Should raise an error when the email field is empty """ credentials = { 'email': '', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['email'])) def test_credentials_with_empty_password(self): """ Should raise error when the password field is empty """ credentials = { 'email': 'tester@gmail.com', 'password': '', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['password']))
이러한 테스트에서는 유효한 자격 증명으로 로그인 성공, 잘못된 자격 증명으로 로그인 실패, 오류 메시지를 적절하게 처리하는 등의 시나리오를 다룹니다.
AuthenticationForm 클래스는 기본적으로 몇 가지 기본 유효성 검사를 제공합니다. 그러나 LoginForm을 사용하면 특정 요구 사항을 충족하기 위해 동작을 맞춤화하고 필요한 유효성 검사 규칙을 추가할 수 있습니다.
# django_project/settings.py INSTALLED_APPS = [ # "django.contrib.admin", "django.contrib.auth", # <-- Auth app "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", ]
우리는 이메일, 비밀번호 및 remember_me 필드를 포함하는 사용자 정의 로그인 양식을 만들었습니다. Remember_me 확인란을 사용하면 사용자가 브라우저 세션 전반에 걸쳐 로그인 세션을 유지할 수 있습니다.
우리 양식은 AuthenticationForm을 확장하므로 일부 기본 동작을 재정의했습니다.
# users/forms.py from django.contrib.auth import AuthenticationForm class LoginForm(AuthenticationForm):
아직 로그인에 대한 뷰가 없으므로 users/views.py 파일로 이동하여 인증 앱의 LoginView를 상속하는 새 클래스를 생성해 보겠습니다
# users/tests/test_forms.py # --- other code class LoginFormTest(TestCase): def setUp(self): self.user = User.objects.create_user( full_name= 'Tester User', email= 'tester@gmail.com', bio= 'new bio for tester', password= 'password12345' ) def test_valid_credentials(self): """ With valid credentials, the form should be valid """ credentials = { 'email': 'tester@gmail.com', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertTrue(form.is_valid()) def test_wrong_credentials(self): """ With wrong credentials, the form should raise Invalid email or password error """ credentials = { 'email': 'tester@gmail.com', 'password': 'wrongpassword', 'remember_me': False } form = LoginForm(data = credentials) self.assertIn('Invalid email or password', str(form.errors['__all__'])) def test_credentials_with_empty_email(self): """ Should raise an error when the email field is empty """ credentials = { 'email': '', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['email'])) def test_credentials_with_empty_password(self): """ Should raise error when the password field is empty """ credentials = { 'email': 'tester@gmail.com', 'password': '', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['password']))
users/tests/test_views.py 파일 하단에 다음 테스트 사례를 추가하세요
# users/forms.py # -- other code from django.contrib.auth.forms import UserCreationForm, UserChangeForm, AuthenticationForm # new line from django.contrib.auth import get_user_model, authenticate # new line # --- other code class LoginForm(AuthenticationForm): email = forms.EmailField( required=True, widget=forms.EmailInput(attrs={'placeholder': 'Email','class': 'form-control',}) ) password = forms.CharField( required=True, widget=forms.PasswordInput(attrs={ 'placeholder': 'Password', 'class': 'form-control', 'data-toggle': 'password', 'id': 'password', 'name': 'password', }) ) remember_me = forms.BooleanField(required=False) def __init__(self, *args, **kwargs): super(LoginForm, self).__init__(*args, **kwargs) # Remove username field if 'username' in self.fields: del self.fields['username'] def clean(self): email = self.cleaned_data.get('email') password = self.cleaned_data.get('password') # Authenticate using email and password if email and password: self.user_cache = authenticate(self.request, email=email, password=password) if self.user_cache is None: raise forms.ValidationError("Invalid email or password") else: self.confirm_login_allowed(self.user_cache) return self.cleaned_data class Meta: model = User fields = ('email', 'password', 'remember_me')
이 단계에서는 이러한 테스트가 실패하는지 확인해야 합니다.
파일 하단의 users/views.py 파일에 아래 코드를 추가하세요.
(.venv)$ python3 manage.py test users.tests.test_forms Found 9 test(s). Creating test database for alias 'default'... System check identified no issues (0 silenced). ......... ---------------------------------------------------------------------- Ran 9 tests in 3.334s OK Destroying test database for alias 'default'...
위 코드에서는 다음을 수행합니다.
# -- other code from .forms import CustomUserCreationForm, LoginForm from django.contrib.auth import get_user_model, views # -- other code class CustomLoginView(views.LoginForm):
맞춤형 로그인 기능을 연결하고 사용자가 로그인 페이지에 액세스할 수 있도록 하기 위해 users/urls.py 파일에 URL 패턴을 정의합니다. 이 파일은 특정 URL(이 경우 /log_in/)을 해당 보기(CustomLoginView)에 매핑합니다. 또한 Django에 내장된 LogoutView를 사용하여 로그아웃 기능에 대한 경로를 포함할 것입니다.
# django_project/settings.py INSTALLED_APPS = [ # "django.contrib.admin", "django.contrib.auth", # <-- Auth app "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", ]
모든 것이 순조롭게 진행된 것 같지만 로그인 및 로그아웃 성공 시 사용자를 리디렉션할 위치를 지정해야 합니다. 이를 위해 LOGIN_REDIRECT_URL 및 LOGOUT_REDIRECT_URL 설정을 사용합니다. blog_app/settings.py 파일 하단에 다음 줄을 추가하여 사용자를 홈페이지로 리디렉션하세요.
# users/forms.py from django.contrib.auth import AuthenticationForm class LoginForm(AuthenticationForm):
이제 로그인 URL이 있으므로 가입이 성공하면 로그인 페이지로 리디렉션되도록 users/views.py 파일에서 SignUpView를 업데이트하겠습니다.
# users/tests/test_forms.py # --- other code class LoginFormTest(TestCase): def setUp(self): self.user = User.objects.create_user( full_name= 'Tester User', email= 'tester@gmail.com', bio= 'new bio for tester', password= 'password12345' ) def test_valid_credentials(self): """ With valid credentials, the form should be valid """ credentials = { 'email': 'tester@gmail.com', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertTrue(form.is_valid()) def test_wrong_credentials(self): """ With wrong credentials, the form should raise Invalid email or password error """ credentials = { 'email': 'tester@gmail.com', 'password': 'wrongpassword', 'remember_me': False } form = LoginForm(data = credentials) self.assertIn('Invalid email or password', str(form.errors['__all__'])) def test_credentials_with_empty_email(self): """ Should raise an error when the email field is empty """ credentials = { 'email': '', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['email'])) def test_credentials_with_empty_password(self): """ Should raise error when the password field is empty """ credentials = { 'email': 'tester@gmail.com', 'password': '', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['password']))
또한 새로운 동작을 반영하고 변경 사항이 제대로 테스트되도록 SignUpText, 특히 test_signup_corright_data(self)를 업데이트할 예정입니다.
# users/forms.py # -- other code from django.contrib.auth.forms import UserCreationForm, UserChangeForm, AuthenticationForm # new line from django.contrib.auth import get_user_model, authenticate # new line # --- other code class LoginForm(AuthenticationForm): email = forms.EmailField( required=True, widget=forms.EmailInput(attrs={'placeholder': 'Email','class': 'form-control',}) ) password = forms.CharField( required=True, widget=forms.PasswordInput(attrs={ 'placeholder': 'Password', 'class': 'form-control', 'data-toggle': 'password', 'id': 'password', 'name': 'password', }) ) remember_me = forms.BooleanField(required=False) def __init__(self, *args, **kwargs): super(LoginForm, self).__init__(*args, **kwargs) # Remove username field if 'username' in self.fields: del self.fields['username'] def clean(self): email = self.cleaned_data.get('email') password = self.cleaned_data.get('password') # Authenticate using email and password if email and password: self.user_cache = authenticate(self.request, email=email, password=password) if self.user_cache is None: raise forms.ValidationError("Invalid email or password") else: self.confirm_login_allowed(self.user_cache) return self.cleaned_data class Meta: model = User fields = ('email', 'password', 'remember_me')
그런 다음 텍스트 편집기를 사용하여 users/templates/registration/login.html 파일을 만들고 다음 코드를 포함합니다.
(.venv)$ python3 manage.py test users.tests.test_forms Found 9 test(s). Creating test database for alias 'default'... System check identified no issues (0 silenced). ......... ---------------------------------------------------------------------- Ran 9 tests in 3.334s OK Destroying test database for alias 'default'...
이 시리즈 후반부에 비밀번호 찾기 기능을 추가할 예정이지만 지금은 데드 링크일 뿐입니다.
이제 로그인, 가입 및 로그아웃 링크를 포함하도록 레이아웃.html 템플릿을 업데이트하겠습니다.
# -- other code from .forms import CustomUserCreationForm, LoginForm from django.contrib.auth import get_user_model, views # -- other code class CustomLoginView(views.LoginForm):
우리 템플릿에서는 사용자가 인증되었는지 확인합니다. 사용자가 로그인한 경우 로그아웃 링크와 사용자의 전체 이름이 표시됩니다. 그렇지 않으면 로그인 및 가입 링크가 표시됩니다.
이제 모든 테스트를 실행해 보겠습니다
# users/tests/test_views.py # -- other code class LoginTests(TestCase): def setUp(self): User.objects.create_user( full_name= 'Tester User', email= 'tester@gmail.com', bio= 'new bio for tester', password= 'password12345' ) self.valid_credentials = { 'email': 'tester@gmail.com', 'password': 'password12345', 'remember_me': False } def test_login_url(self): """User can navigate to the login page""" response = self.client.get(reverse('users:login')) self.assertEqual(response.status_code, 200) def test_login_template(self): """Login page render the correct template""" response = self.client.get(reverse('users:login')) self.assertTemplateUsed(response, template_name='registration/login.html') self.assertContains(response, '<a class="btn btn-outline-dark text-white" href="/users/sign_up/">Sign Up</a>') def test_login_with_valid_credentials(self): """User should be log in when enter valid credentials""" response = self.client.post(reverse('users:login'), self.valid_credentials, follow=True) self.assertEqual(response.status_code, 200) self.assertRedirects(response, reverse('home')) self.assertTrue(response.context['user'].is_authenticated) self.assertContains(response, '<button type="submit" class="btn btn-danger"><i class="bi bi-door-open-fill"></i> Log out</button>') def test_login_with_wrong_credentials(self): """Get error message when enter wrong credentials""" credentials = { 'email': 'tester@gmail.com', 'password': 'wrongpassword', 'remember_me': False } response = self.client.post(reverse('users:login'), credentials, follow=True) self.assertEqual(response.status_code, 200) self.assertContains(response, 'Invalid email or password') self.assertFalse(response.context['user'].is_authenticated)
이제 로그인 및 로그아웃 기능을 구성했으므로 웹 브라우저에서 모든 것을 테스트할 차례입니다. 개발서버를 시작해보자
# django_project/settings.py INSTALLED_APPS = [ # "django.contrib.admin", "django.contrib.auth", # <-- Auth app "django.contrib.contenttypes", "django.contrib.sessions", "django.contrib.messages", "django.contrib.staticfiles", ]
등록 페이지로 이동하여 유효한 자격 증명을 입력하세요. 등록이 성공적으로 완료되면 로그인 페이지로 리디렉션됩니다. 로그인 양식에 사용자 정보를 입력한 후 로그인 후 로그아웃 버튼을 클릭하세요. 그런 다음 로그아웃하고 홈페이지로 리디렉션되어야 합니다. 마지막으로 더 이상 로그인되어 있지 않은지, 가입 및 로그인 링크가 다시 표시되는지 확인하세요.
모든 것이 완벽하게 작동하지만 사용자가 로그인하여 http://127.0.0.1:8000/users/sign_up/의 등록 페이지를 방문하면 여전히 등록 양식에 액세스할 수 있는 것으로 나타났습니다. 이상적으로는 사용자가 로그인한 후에는 가입 페이지에 액세스할 수 없어야 합니다.
이 동작은 우리 프로젝트에 여러 가지 보안 취약점을 초래할 수 있습니다. 이 문제를 해결하려면 로그인한 모든 사용자를 홈 페이지로 리디렉션하도록 SignUpView를 업데이트해야 합니다.
하지만 먼저 LoginTest를 업데이트하여 시나리오를 다루는 새 테스트를 추가해 보겠습니다. 따라서 users/tests/test_views.py에 이 코드를 추가하세요.
# users/forms.py from django.contrib.auth import AuthenticationForm class LoginForm(AuthenticationForm):
이제 SignUpView를 업데이트할 수 있습니다
# users/tests/test_forms.py # --- other code class LoginFormTest(TestCase): def setUp(self): self.user = User.objects.create_user( full_name= 'Tester User', email= 'tester@gmail.com', bio= 'new bio for tester', password= 'password12345' ) def test_valid_credentials(self): """ With valid credentials, the form should be valid """ credentials = { 'email': 'tester@gmail.com', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertTrue(form.is_valid()) def test_wrong_credentials(self): """ With wrong credentials, the form should raise Invalid email or password error """ credentials = { 'email': 'tester@gmail.com', 'password': 'wrongpassword', 'remember_me': False } form = LoginForm(data = credentials) self.assertIn('Invalid email or password', str(form.errors['__all__'])) def test_credentials_with_empty_email(self): """ Should raise an error when the email field is empty """ credentials = { 'email': '', 'password': 'password12345', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['email'])) def test_credentials_with_empty_password(self): """ Should raise error when the password field is empty """ credentials = { 'email': 'tester@gmail.com', 'password': '', 'remember_me': False } form = LoginForm(data = credentials) self.assertFalse(form.is_valid()) self.assertIn('This field is required', str(form.errors['password']))
위 코드에서는 SignUpView의 dispatch() 메서드를 재정의하여 이미 로그인하여 등록 페이지에 액세스하려고 하는 모든 사용자를 리디렉션합니다. 이 리디렉션은 settings.py 파일에 설정된 LOGIN_REDIRECT_URL을 사용하며, 이 경우 홈 페이지를 가리킵니다.
좋아요! 다시 한 번 모든 테스트를 실행하여 업데이트가 예상대로 작동하는지 확인하겠습니다
# users/forms.py # -- other code from django.contrib.auth.forms import UserCreationForm, UserChangeForm, AuthenticationForm # new line from django.contrib.auth import get_user_model, authenticate # new line # --- other code class LoginForm(AuthenticationForm): email = forms.EmailField( required=True, widget=forms.EmailInput(attrs={'placeholder': 'Email','class': 'form-control',}) ) password = forms.CharField( required=True, widget=forms.PasswordInput(attrs={ 'placeholder': 'Password', 'class': 'form-control', 'data-toggle': 'password', 'id': 'password', 'name': 'password', }) ) remember_me = forms.BooleanField(required=False) def __init__(self, *args, **kwargs): super(LoginForm, self).__init__(*args, **kwargs) # Remove username field if 'username' in self.fields: del self.fields['username'] def clean(self): email = self.cleaned_data.get('email') password = self.cleaned_data.get('password') # Authenticate using email and password if email and password: self.user_cache = authenticate(self.request, email=email, password=password) if self.user_cache is None: raise forms.ValidationError("Invalid email or password") else: self.confirm_login_allowed(self.user_cache) return self.cleaned_data class Meta: model = User fields = ('email', 'password', 'remember_me')
성취해야 할 일이 더 많다는 것을 알고 있지만, 지금까지 달성한 성과에 대해 잠시 감사해 보도록 하겠습니다. 우리는 함께 프로젝트 환경을 설정하고 PostgreSQL 데이터베이스를 연결했으며 Django 블로그 애플리케이션을 위한 보안 사용자 등록 및 로그인 시스템을 구현했습니다. 다음 부분에서는 사용자 프로필 페이지 만들기, 사용자가 자신의 정보를 편집할 수 있는 방법 및 비밀번호 재설정에 대해 알아보겠습니다! Django 블로그 앱 여정을 계속하면서 더욱 흥미로운 발전을 기대해주세요!
여러분의 피드백은 언제나 소중합니다. 아래 의견에 귀하의 생각, 질문 또는 제안 사항을 공유해 주십시오. 최신 소식을 받아보려면 좋아요, 댓글 남기기, 구독하기를 잊지 마세요!
위 내용은 TDD 방법론과 PostgreSQL을 사용하여 Django로 완전한 블로그 앱을 구축하기 위한 가이드(부분 보안 사용자 인증)의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!