mirror of
https://github.com/netbox-community/netbox.git
synced 2024-05-10 07:54:54 +00:00
ade844f7a7
Mitgate invalidation issues by using prefetch_related instead of select_related. Also use invalidated_update instead of just update.
181 lines
5.5 KiB
Python
181 lines
5.5 KiB
Python
from django.conf import settings
|
|
from django.db.models import QuerySet
|
|
from rest_framework import authentication, exceptions
|
|
from rest_framework.pagination import LimitOffsetPagination
|
|
from rest_framework.permissions import DjangoModelPermissions, SAFE_METHODS
|
|
from rest_framework.renderers import BrowsableAPIRenderer
|
|
from rest_framework.utils import formatting
|
|
|
|
from users.models import Token
|
|
|
|
|
|
#
|
|
# Renderers
|
|
#
|
|
|
|
class FormlessBrowsableAPIRenderer(BrowsableAPIRenderer):
|
|
"""
|
|
Override the built-in BrowsableAPIRenderer to disable HTML forms.
|
|
"""
|
|
def show_form_for_method(self, *args, **kwargs):
|
|
return False
|
|
|
|
def get_filter_form(self, data, view, request):
|
|
return None
|
|
|
|
|
|
#
|
|
# Authentication
|
|
#
|
|
|
|
class TokenAuthentication(authentication.TokenAuthentication):
|
|
"""
|
|
A custom authentication scheme which enforces Token expiration times.
|
|
"""
|
|
model = Token
|
|
|
|
def authenticate_credentials(self, key):
|
|
model = self.get_model()
|
|
try:
|
|
token = model.objects.prefetch_related('user').get(key=key)
|
|
except model.DoesNotExist:
|
|
raise exceptions.AuthenticationFailed("Invalid token")
|
|
|
|
# Enforce the Token's expiration time, if one has been set.
|
|
if token.is_expired:
|
|
raise exceptions.AuthenticationFailed("Token expired")
|
|
|
|
if not token.user.is_active:
|
|
raise exceptions.AuthenticationFailed("User inactive")
|
|
|
|
return token.user, token
|
|
|
|
|
|
class TokenPermissions(DjangoModelPermissions):
|
|
"""
|
|
Custom permissions handler which extends the built-in DjangoModelPermissions to validate a Token's write ability
|
|
for unsafe requests (POST/PUT/PATCH/DELETE).
|
|
"""
|
|
# Override the stock perm_map to enforce view permissions
|
|
perms_map = {
|
|
'GET': ['%(app_label)s.view_%(model_name)s'],
|
|
'OPTIONS': [],
|
|
'HEAD': ['%(app_label)s.view_%(model_name)s'],
|
|
'POST': ['%(app_label)s.add_%(model_name)s'],
|
|
'PUT': ['%(app_label)s.change_%(model_name)s'],
|
|
'PATCH': ['%(app_label)s.change_%(model_name)s'],
|
|
'DELETE': ['%(app_label)s.delete_%(model_name)s'],
|
|
}
|
|
|
|
def __init__(self):
|
|
|
|
# LOGIN_REQUIRED determines whether read-only access is provided to anonymous users.
|
|
self.authenticated_users_only = settings.LOGIN_REQUIRED
|
|
|
|
super().__init__()
|
|
|
|
def has_permission(self, request, view):
|
|
|
|
# If token authentication is in use, verify that the token allows write operations (for unsafe methods).
|
|
if request.method not in SAFE_METHODS and isinstance(request.auth, Token):
|
|
if not request.auth.write_enabled:
|
|
return False
|
|
|
|
return super().has_permission(request, view)
|
|
|
|
|
|
#
|
|
# Pagination
|
|
#
|
|
|
|
class OptionalLimitOffsetPagination(LimitOffsetPagination):
|
|
"""
|
|
Override the stock paginator to allow setting limit=0 to disable pagination for a request. This returns all objects
|
|
matching a query, but retains the same format as a paginated request. The limit can only be disabled if
|
|
MAX_PAGE_SIZE has been set to 0 or None.
|
|
"""
|
|
|
|
def paginate_queryset(self, queryset, request, view=None):
|
|
|
|
if isinstance(queryset, QuerySet):
|
|
self.count = queryset.count()
|
|
else:
|
|
# We're dealing with an iterable, not a QuerySet
|
|
self.count = len(queryset)
|
|
|
|
self.limit = self.get_limit(request)
|
|
self.offset = self.get_offset(request)
|
|
self.request = request
|
|
|
|
if self.limit and self.count > self.limit and self.template is not None:
|
|
self.display_page_controls = True
|
|
|
|
if self.count == 0 or self.offset > self.count:
|
|
return list()
|
|
|
|
if self.limit:
|
|
return list(queryset[self.offset:self.offset + self.limit])
|
|
else:
|
|
return list(queryset[self.offset:])
|
|
|
|
def get_limit(self, request):
|
|
|
|
if self.limit_query_param:
|
|
try:
|
|
limit = int(request.query_params[self.limit_query_param])
|
|
if limit < 0:
|
|
raise ValueError()
|
|
# Enforce maximum page size, if defined
|
|
if settings.MAX_PAGE_SIZE:
|
|
if limit == 0:
|
|
return settings.MAX_PAGE_SIZE
|
|
else:
|
|
return min(limit, settings.MAX_PAGE_SIZE)
|
|
return limit
|
|
except (KeyError, ValueError):
|
|
pass
|
|
|
|
return self.default_limit
|
|
|
|
def get_next_link(self):
|
|
|
|
# Pagination has been disabled
|
|
if not self.limit:
|
|
return None
|
|
|
|
return super().get_next_link()
|
|
|
|
def get_previous_link(self):
|
|
|
|
# Pagination has been disabled
|
|
if not self.limit:
|
|
return None
|
|
|
|
return super().get_previous_link()
|
|
|
|
|
|
#
|
|
# Miscellaneous
|
|
#
|
|
|
|
def get_view_name(view, suffix=None):
|
|
"""
|
|
Derive the view name from its associated model, if it has one. Fall back to DRF's built-in `get_view_name`.
|
|
"""
|
|
if hasattr(view, 'queryset'):
|
|
# Determine the model name from the queryset.
|
|
name = view.queryset.model._meta.verbose_name
|
|
name = ' '.join([w[0].upper() + w[1:] for w in name.split()]) # Capitalize each word
|
|
|
|
else:
|
|
# Replicate DRF's built-in behavior.
|
|
name = view.__class__.__name__
|
|
name = formatting.remove_trailing_string(name, 'View')
|
|
name = formatting.remove_trailing_string(name, 'ViewSet')
|
|
name = formatting.camelcase_to_spaces(name)
|
|
|
|
if suffix:
|
|
name += ' ' + suffix
|
|
|
|
return name
|