takahe/api/decorators.py

52 wiersze
1.6 KiB
Python

2023-02-19 18:37:02 +00:00
from collections.abc import Callable
2022-12-11 07:25:48 +00:00
from functools import wraps
from django.http import JsonResponse
def identity_required(function):
"""
Makes sure the token is tied to an identity, not an app only.
2022-12-11 07:25:48 +00:00
"""
@wraps(function)
def inner(request, *args, **kwargs):
# They need an identity
if not request.identity:
2023-02-19 18:37:02 +00:00
return JsonResponse({"error": "identity_token_required"}, status=401)
2022-12-11 07:25:48 +00:00
return function(request, *args, **kwargs)
# This is for the API only
inner.csrf_exempt = True
2022-12-11 07:25:48 +00:00
return inner
2023-02-19 18:37:02 +00:00
def scope_required(scope: str, requires_identity=True):
"""
Asserts that the token we're using has the provided scope
"""
def decorator(function: Callable):
@wraps(function)
def inner(request, *args, **kwargs):
if not request.token:
2023-03-02 17:22:37 +00:00
if request.identity:
# They're just logged in via cookie - give full access
pass
else:
return JsonResponse(
{"error": "identity_token_required"}, status=401
)
elif not request.token.has_scope(scope):
return JsonResponse({"error": "out_of_scope_for_token"}, status=403)
2023-02-19 18:37:02 +00:00
# They need an identity
if not request.identity and requires_identity:
return JsonResponse({"error": "identity_token_required"}, status=401)
return function(request, *args, **kwargs)
inner.csrf_exempt = True # type:ignore
return inner
return decorator