OpenSlides/openslides/utils/models.py

140 lines
5.2 KiB
Python
Raw Normal View History

from typing import Any, Dict, List, Optional
2017-08-24 12:26:55 +02:00
from django.core.exceptions import ImproperlyConfigured
from django.db import models
from .access_permissions import BaseAccessPermissions
from .rest_api import model_serializer_classes
from .utils import convert_camel_case_to_pseudo_snake_case
class MinMaxIntegerField(models.IntegerField):
2013-09-25 12:53:44 +02:00
"""
IntegerField with options to set a min- and a max-value.
"""
2018-08-08 21:09:22 +02:00
def __init__(self, min_value: int = None, max_value: int = None, *args: Any, **kwargs: Any) -> None:
self.min_value, self.max_value = min_value, max_value
super(MinMaxIntegerField, self).__init__(*args, **kwargs)
2017-08-24 12:26:55 +02:00
def formfield(self, **kwargs: Any) -> Any:
defaults = {'min_value': self.min_value, 'max_value': self.max_value}
defaults.update(kwargs)
return super(MinMaxIntegerField, self).formfield(**defaults)
2015-06-29 12:08:15 +02:00
class RESTModelMixin:
"""
Mixin for Django models which are used in our REST API.
2015-06-29 12:08:15 +02:00
"""
2018-08-22 22:00:08 +02:00
access_permissions: Optional[BaseAccessPermissions] = None
2017-08-24 12:26:55 +02:00
def get_root_rest_element(self) -> models.Model:
2015-06-29 12:08:15 +02:00
"""
Returns the root rest instance.
Uses self as default.
"""
return self
@classmethod
2017-08-24 12:26:55 +02:00
def get_access_permissions(cls) -> BaseAccessPermissions:
"""
Returns a container to handle access permissions for this model and
its corresponding viewset.
"""
2017-08-24 12:26:55 +02:00
if cls.access_permissions is None:
raise ImproperlyConfigured("A RESTModel needs to have an access_permission.")
return cls.access_permissions
@classmethod
2017-08-24 12:26:55 +02:00
def get_collection_string(cls) -> str:
2015-06-29 12:08:15 +02:00
"""
Returns the string representing the name of the collection. Returns
None if this is not a so called root rest instance.
2015-06-29 12:08:15 +02:00
"""
# TODO Check if this is a root rest element class and return None if not.
2017-08-24 12:26:55 +02:00
app_label = cls._meta.app_label # type: ignore
object_name = cls._meta.object_name # type: ignore
return '/'.join(
2017-08-24 12:26:55 +02:00
(convert_camel_case_to_pseudo_snake_case(app_label),
convert_camel_case_to_pseudo_snake_case(object_name)))
2016-01-03 15:33:51 +01:00
2017-08-24 12:26:55 +02:00
def get_rest_pk(self) -> int:
2016-01-03 15:33:51 +01:00
"""
Returns the primary key used in the REST API. By default this is
the database pk.
2016-01-03 15:33:51 +01:00
"""
2017-08-24 12:26:55 +02:00
return self.pk # type: ignore
2018-08-22 07:59:22 +02:00
def save(self, skip_autoupdate: bool = False, *args: Any, **kwargs: Any) -> Any:
"""
2016-09-30 20:42:58 +02:00
Calls Django's save() method and afterwards hits the autoupdate system.
If skip_autoupdate is set to True, then the autoupdate system is not
informed about the model changed. This also means, that the model cache
is not updated. You have to do this manually by calling
inform_changed_data().
"""
# We don't know how to fix this circular import
from .autoupdate import inform_changed_data
2017-08-24 12:26:55 +02:00
return_value = super().save(*args, **kwargs) # type: ignore
2016-09-30 20:42:58 +02:00
if not skip_autoupdate:
2018-08-22 07:59:22 +02:00
inform_changed_data(self.get_root_rest_element())
return return_value
2018-08-22 07:59:22 +02:00
def delete(self, skip_autoupdate: bool = False, *args: Any, **kwargs: Any) -> Any:
"""
2016-09-30 20:42:58 +02:00
Calls Django's delete() method and afterwards hits the autoupdate system.
If skip_autoupdate is set to True, then the autoupdate system is not
informed about the model changed. This also means, that the model cache
is not updated. You have to do this manually by calling
inform_deleted_data().
"""
# We don't know how to fix this circular import
from .autoupdate import inform_changed_data, inform_deleted_data
2017-08-24 12:26:55 +02:00
instance_pk = self.pk # type: ignore
return_value = super().delete(*args, **kwargs) # type: ignore
2016-09-30 20:42:58 +02:00
if not skip_autoupdate:
if self != self.get_root_rest_element():
# The deletion of a included element is a change of the root element.
2018-08-22 07:59:22 +02:00
inform_changed_data(self.get_root_rest_element())
2016-09-30 20:42:58 +02:00
else:
2018-08-22 07:59:22 +02:00
inform_deleted_data([(self.get_collection_string(), instance_pk)])
return return_value
@classmethod
def get_elements(cls) -> List[Dict[str, Any]]:
"""
Returns all elements as full_data.
"""
# Get the query to receive all data from the database.
try:
query = cls.objects.get_full_queryset() # type: ignore
except AttributeError:
# If the model des not have to method get_full_queryset(), then use
# the default queryset from django.
query = cls.objects # type: ignore
# Build a dict from the instance id to the full_data
return [instance.get_full_data() for instance in query.all()]
@classmethod
async def restrict_elements(
cls,
user_id: int,
elements: List[Dict[str, Any]]) -> List[Dict[str, Any]]:
"""
Converts a list of elements from full_data to restricted_data.
"""
return await cls.get_access_permissions().get_restricted_data(elements, user_id)
def get_full_data(self) -> Dict[str, Any]:
"""
Returns the full_data of the instance.
"""
serializer_class = model_serializer_classes[type(self)]
return serializer_class(self).data