Django 和 React:未在请求中设置 csrf cookie header
Django and React: csrf cookie is not being set in request header
解释一下我的情况,如果我从后端登录,csrf cookie 设置在 cookie 选项卡中,问题出现在前端,如果我尝试从那里登录,csrf cookie 不在请求中 header (未定义),提供了一些代码:
settings.py:
ALLOWED_HOSTS = ['*']
ACCESS_CONTROL_ALLOW_ORIGIN = '*'
CORS_ORIGIN_ALLOW_ALL = True
CORS_ALLOW_CREDENTIALS = True
ACCESS_CONTROL_ALLOW_CREDENTIALS = True
ACCESS_CONTROL_ALLOW_METHODS = '*'
ACCESS_CONTROL_ALLOW_HEADERS = '*'
'''
SESSION_COOKIE_SECURE = True
'''
CSRF_COOKIE_SAMESITE = 'None'
SESSION_COOKIE_SAMESITE = 'None'
CSRF_TRUSTED_ORIGINS = [ "http://127.0.0.1:3000",'http://127.0.0.1:8000','http://localhost:3000']
将 SAMESITE 协议设置为其他任何内容都没有进行任何更改
在 views.py 中,我们有登录视图(基于 class):
class LoginView(views.APIView):
permission_classes = [AllowAny,]
serializer_class = serializer.LoginSerializer
def post(self,request):
data = serializer.LoginSerializer(data=request.data)
print(data.is_valid())
if data.is_valid():
email = data.data['email']
password = data.data['password']
auth = authenticate(username=email,password=password)
if auth:
login(request,auth)
return HttpResponse("Success",status=200)
else:
print(password == "")
if email == "" and password =="":
return HttpResponse('Both email and password field are empty',status=400)
elif email == "":
return HttpResponse('Email field is empty',status=400)
elif password == "":
return HttpResponse('Passowrd field is empty',status = 400)
else:
return HttpResponse("Both email and password fields are empty",status=400)
在serializer.py中,我们得到了登录序列化器:
class LoginSerializer(serializers.Serializer):
email = serializers.CharField(required=False)
password = serializers.CharField(required=False,allow_null=True,allow_blank=True)
在反应(前端)中,这是我发出 post 请求的方式:
function Login(){
const [login,setLogin] = useState({'email':'','password':''})
const {email,password} = login
const navigate = useNavigate()
let handleChange = (e)=>{
setLogin(
{
...login,
[e.target.name]:e.target.value
}
)
}
let handleSubmit = (e)=>{
e.preventDefault()
axios.post('http://127.0.0.1:8000/login/',login,{headers: {'Content-Type': 'application/json','X-CSRFToken':Cookies.get('csrftoken')}}).then(
(res)=>{
console.log(res)
console.log(Cookies.get('csrftoken')) //undefined here
}
).catch((e)=>{
console.log(e)
}
})
}
}
顺便说一句,这是代码的一部分 ^。
编辑:
我也有一个 csrf 视图,不知道如何使用它:
class GetCSRFToken(views.APIView):
permission_classes = [AllowAny, ]
def get(self, request, format=None):
return Response({ 'success': 'CSRF cookie set' })
欢迎任何帮助。
我建议您尝试使用 HTTPS 使用您的两台服务器。一些帮助:
姜戈
- How can I test https connections with Django as easily as I can non-https connections using 'runserver'?
- https://timonweb.com/django/https-django-development-server-ssl-certificate/
对于 ReactJS,只需使用生成的与在 Django 中使用的证书相同的证书,通过下一个命令调整服务器:
HTTPS=true SSL_CRT_FILE=path/server.crt SSL_KEY_FILE=path/server.key npm start
这是为了更改您的设置:
CSRF_COOKIE_PATH = '/'
CSRF_COOKIE_SAMESITE = 'Strict'
CSRF_COOKIE_SECURE = True
CSRF_TRUSTED_ORIGINS = [ "https://127.0.0.1:3000", ...]
但并非完全必要。
现在,您的观点 GetCSRFToken
是不正确的,因为 return 一条消息。
这是我已经实施的一个例子。关键是装饰器ensure_csrf_cookie
Views.py:
from django.utils.decorators import method_decorator
from django.views.decorators.csrf import ensure_csrf_cookie
class CsrfTokenView(APIView):
"""Send to the login interface the token CSRF as a cookie."""
@method_decorator(ensure_csrf_cookie)
def get(self, request, *args, **kwargs) -> Response:
"""Return a empty response with the token CSRF.
Returns
-------
Response
The response with the token CSRF as a cookie.
"""
return Response(status=status.HTTP_204_NO_CONTENT)
在 ReactJS 中,只需编写一个 useEffect
具有空依赖项的代码,以便在挂载组件后立即执行请求。
useEffect(() => {
axios.get('/url/csrf-token/', {
headers: { 'Authorization': null },
withCredentials: true,
}
).catch( () => {
alert('Error message.');
});
}, []);
此时,您将可以在 'developer tools' 中查看 cookie。
最后,在您的 LoginView 中,将 csrf_protect 装饰器添加到您的 post
方法中,以确保端点需要 CSRF_TOKEN.
Views.py:
from django.utils.decorators import method_decorator
from django.views.decorators.csrf import csrf_protect, ensure_csrf_cookie
...
class LoginView(views.APIView):
...
@method_decorator(csrf_protect)
def post(self,request):
# code
不要忘记 映射 csrf 视图的 url 并将正确的内容放入请求中 (useEffect
)。
同样在您的登录请求中,添加withCredentials: true
。通过这种方式,请求发送了 cookies (CSRF)。 Django 将比较 header X-CSRFToken
与接收到的 cookie 的值,如果匹配,它将执行方法 body.
我想就是这样。
让我知道它是否有效。
解释一下我的情况,如果我从后端登录,csrf cookie 设置在 cookie 选项卡中,问题出现在前端,如果我尝试从那里登录,csrf cookie 不在请求中 header (未定义),提供了一些代码:
settings.py:
ALLOWED_HOSTS = ['*']
ACCESS_CONTROL_ALLOW_ORIGIN = '*'
CORS_ORIGIN_ALLOW_ALL = True
CORS_ALLOW_CREDENTIALS = True
ACCESS_CONTROL_ALLOW_CREDENTIALS = True
ACCESS_CONTROL_ALLOW_METHODS = '*'
ACCESS_CONTROL_ALLOW_HEADERS = '*'
'''
SESSION_COOKIE_SECURE = True
'''
CSRF_COOKIE_SAMESITE = 'None'
SESSION_COOKIE_SAMESITE = 'None'
CSRF_TRUSTED_ORIGINS = [ "http://127.0.0.1:3000",'http://127.0.0.1:8000','http://localhost:3000']
将 SAMESITE 协议设置为其他任何内容都没有进行任何更改
在 views.py 中,我们有登录视图(基于 class):
class LoginView(views.APIView):
permission_classes = [AllowAny,]
serializer_class = serializer.LoginSerializer
def post(self,request):
data = serializer.LoginSerializer(data=request.data)
print(data.is_valid())
if data.is_valid():
email = data.data['email']
password = data.data['password']
auth = authenticate(username=email,password=password)
if auth:
login(request,auth)
return HttpResponse("Success",status=200)
else:
print(password == "")
if email == "" and password =="":
return HttpResponse('Both email and password field are empty',status=400)
elif email == "":
return HttpResponse('Email field is empty',status=400)
elif password == "":
return HttpResponse('Passowrd field is empty',status = 400)
else:
return HttpResponse("Both email and password fields are empty",status=400)
在serializer.py中,我们得到了登录序列化器:
class LoginSerializer(serializers.Serializer):
email = serializers.CharField(required=False)
password = serializers.CharField(required=False,allow_null=True,allow_blank=True)
在反应(前端)中,这是我发出 post 请求的方式:
function Login(){
const [login,setLogin] = useState({'email':'','password':''})
const {email,password} = login
const navigate = useNavigate()
let handleChange = (e)=>{
setLogin(
{
...login,
[e.target.name]:e.target.value
}
)
}
let handleSubmit = (e)=>{
e.preventDefault()
axios.post('http://127.0.0.1:8000/login/',login,{headers: {'Content-Type': 'application/json','X-CSRFToken':Cookies.get('csrftoken')}}).then(
(res)=>{
console.log(res)
console.log(Cookies.get('csrftoken')) //undefined here
}
).catch((e)=>{
console.log(e)
}
})
}
}
顺便说一句,这是代码的一部分 ^。
编辑: 我也有一个 csrf 视图,不知道如何使用它:
class GetCSRFToken(views.APIView):
permission_classes = [AllowAny, ]
def get(self, request, format=None):
return Response({ 'success': 'CSRF cookie set' })
欢迎任何帮助。
我建议您尝试使用 HTTPS 使用您的两台服务器。一些帮助: 姜戈
- How can I test https connections with Django as easily as I can non-https connections using 'runserver'?
- https://timonweb.com/django/https-django-development-server-ssl-certificate/
对于 ReactJS,只需使用生成的与在 Django 中使用的证书相同的证书,通过下一个命令调整服务器:
HTTPS=true SSL_CRT_FILE=path/server.crt SSL_KEY_FILE=path/server.key npm start
这是为了更改您的设置:
CSRF_COOKIE_PATH = '/'
CSRF_COOKIE_SAMESITE = 'Strict'
CSRF_COOKIE_SECURE = True
CSRF_TRUSTED_ORIGINS = [ "https://127.0.0.1:3000", ...]
但并非完全必要。
现在,您的观点 GetCSRFToken
是不正确的,因为 return 一条消息。
这是我已经实施的一个例子。关键是装饰器ensure_csrf_cookie
Views.py:
from django.utils.decorators import method_decorator
from django.views.decorators.csrf import ensure_csrf_cookie
class CsrfTokenView(APIView):
"""Send to the login interface the token CSRF as a cookie."""
@method_decorator(ensure_csrf_cookie)
def get(self, request, *args, **kwargs) -> Response:
"""Return a empty response with the token CSRF.
Returns
-------
Response
The response with the token CSRF as a cookie.
"""
return Response(status=status.HTTP_204_NO_CONTENT)
在 ReactJS 中,只需编写一个 useEffect
具有空依赖项的代码,以便在挂载组件后立即执行请求。
useEffect(() => {
axios.get('/url/csrf-token/', {
headers: { 'Authorization': null },
withCredentials: true,
}
).catch( () => {
alert('Error message.');
});
}, []);
此时,您将可以在 'developer tools' 中查看 cookie。
最后,在您的 LoginView 中,将 csrf_protect 装饰器添加到您的 post
方法中,以确保端点需要 CSRF_TOKEN.
Views.py:
from django.utils.decorators import method_decorator
from django.views.decorators.csrf import csrf_protect, ensure_csrf_cookie
...
class LoginView(views.APIView):
...
@method_decorator(csrf_protect)
def post(self,request):
# code
不要忘记 映射 csrf 视图的 url 并将正确的内容放入请求中 (useEffect
)。
同样在您的登录请求中,添加withCredentials: true
。通过这种方式,请求发送了 cookies (CSRF)。 Django 将比较 header X-CSRFToken
与接收到的 cookie 的值,如果匹配,它将执行方法 body.
我想就是这样。 让我知道它是否有效。