Rules based permissions for the Django Rest Framework.
This project is a fork from @dbkaplan/dry-rest-permissions, multiple peoples tried to contact the old maintener but the community had no news from him in the last two years and the package was completely out of date.
This fork it's officially supported by FJNR-inc since June 10th 2020.
In this context:
- Feel free to create issues in order to evaluate new needs
- Feel free to create PR in order to merge any individual enhancement you may have done on your own
- Feel free to contact us if you want to contribute on this package and maintain it
This framework is a perfect fit for apps that have many tables and relationships between them. It provides a framework that allows you to define, for each action or groups of actions, what users have permission for based on existing data in your database.
- A framework for defining global and object level permissions per action.
- Support for broadly defining permissions by grouping actions into safe and unsafe types.
- Support for defining only global (table level) permissions or only object (row level) permissions.
- Support for custom list and detail actions.
- A serializer field that will return permissions for an object to your client app. This is DRY and works with your existing permission definitions.
- A framework for limiting list requests based on permissions
- Support for custom list actions
Most other DRF permissions are based on django-guardian. Django-guardian is an explicit approach to permissions that requires data to be saved in tables that explicitly grants permissions for certain actions. For apps that have many ways for a user to be given permission to certain actions, this approach can be very hard to maintain.
For example: you may have an app which lets you create and modify projects if you are an admin of an association that owns the project. This means that a user's permission will be granted or revoked based on many possibilities including ownership of the project transferring to a different association, the user's admin status in the association changing and the user entering or leaving the association. This would need a lot of triggers that would key off of these actions and explicitly change permissions.
DRY Rest Permissions allows developers to easily describe what gives someone permission using the current data in an implicit way.
- Python (3.4+)
- Django (2.2, 3.0)
- Django REST Framework (3.8, 3.9, 3.10, 3.11)
Install using pip
…
$ pip install django-dry-rest-permissions
Add to INSTALLED_APPS
INSTALLED_APPS = (
...
'dry_rest_permissions',
)
DRY Rest Permissions allows you to define both global and object level permissions.
Global permissions are always checked first and define the ability of a user to take an action on an entire model. For example you can define whether a user has the ability to update any projects from the database.
Object permissions are checked if global permissions pass and define whether a user has the ability to perform a specific action on a single object. These are also known as row level permissions. Note: list and create actions are the only standard actions that are only global. There is no such object level permission call because they are whole table actions.
DRY Rest Permissions allows you to define permissions for both the standard actions (list
, retrieve
, update
, destroy
and create
) and custom actions defined using @detail_route
and @list_route
.
If you don't need to define permissions on a granular action level you can generally define read or write permissions for a model. "Read" permissions groups together list and retrieve, while "write" permissions groups together destroy, update and create. All custom actions that use GET
methods are considered read actions and all other methods are considered write.
Specific action permissions take precedence over general read or write permissions. For example you can lock down write permissions by always returning False
and open up just update permissions for certain users.
The partial_update
action is also supported, but by default is grouped with the update permission.
DRY Rest Permissions allows you to define a custom message and status code for rejected permissions. This is useful for returning some information to the client app about why a request was rejected.
To produce a custom message and/or status code, permissions functions can return a dict with the keys message
and code
instead of a boolean. Returning a dict is interpreted as a rejection of the permission. Other complex return formats are allowed, but dicts are recommended.
Permissions can be added to ModelViewSet based APIs.
First you must add DRYPermissions
to the viewset's permission_classes
from rest_framework import viewsets
from dry_rest_permissions.generics import DRYPermissions
class ProjectViewSet(viewsets.ModelViewSet):
permission_classes = (DRYPermissions,)
queryset = Project.objects.all()
serializer_class = ProjectSerializer
You may also use DRYGlobalPermissions
and DRYObjectPermissions
, which will only check global or object permissions.
If you want to define DRYPermissions for only some method types you can override the get_permissions function on the view like this:
def get_permissions(self):
if self.request.method == 'GET' or self.request.method == 'PUT':
return [DRYPermissions(),]
return []
Permissions for DRY Rest permissions are defined on the model so that they can be accessed both from the view for checking and from the serializer for display purposes with the DRYPermissionsField
.
Global permissions are defined as either @staticmethod
or @classmethod
methods with the format has_<action/read/write>_permission
.
Object permissions are defined as methods with the format has_object_<action/read/write>_permission
.
The following example shows how you would allow all users to read and create projects, while locking down the ability for any user to perform any other write action. In the example, read global and object permissions return True
, which grants permission to those actions. Write, globally returns False, which locks down write actions. However, create is a specific action and therefore takes precedence over write and gives all users the ability to create projects.
from django.db import models
from django.contrib.auth.models import User
class Project(models.Model):
owner = models.ForeignKey('User')
@staticmethod
def has_read_permission(request):
return True
def has_object_read_permission(self, request):
return True
@staticmethod
def has_write_permission(request):
return False
@staticmethod
def has_create_permission(request):
return True
Now we will add to this example and allow project owners to update or destroy a project.
class Project(models.Model):
owner = models.ForeignKey('User')
...
@staticmethod
def has_write_permission(request):
"""
We can remove the has_create_permission because this implicitly grants that permission.
"""
return True
def has_object_write_permission(self, request):
return request.user == self.owner
If we just wanted to grant update permission, but not destroy we could do this:
class Project(models.Model):
owner = models.ForeignKey('User')
...
@staticmethod
def has_write_permission(request):
"""
We can remove the has_create_permission because this implicitly grants that permission.
"""
return True
def has_object_write_permission(self, request):
return False
def has_object_update_permission(self, request):
return request.user == self.owner
If a custom action, publish
, were created using @detail_route
then permissions could be defined like so:
class Project(models.Model):
owner = models.ForeignKey('User')
...
@staticmethod
def has_publish_permission(request):
return True
def has_object_publish_permission(self, request):
return request.user == self.owner
If we wanted to add a little more detail to our permissions we could return a dict with a custom message and status code.
class Project(models.Model):
owner = models.ForeignKey('User')
...
def has_object_write_permission(self, request):
if request.user == self.owner:
return True
return {'message': 'You must be the owner of this project to modify it.', 'code': 403}
We could also return a string (interpreted as the rejection message), an int (interpreted as the rejection status code), or a tuple of (message, code). Dicts are recommended for clarity. Both message and code keys are optional.
Three decorators were defined for common permission checks
@allow_staff_or_superuser
- Allows any user that has staff or superuser status to have the permission.
@authenticated_users
- This permission will only be checked for authenticated users. Unauthenticated users will automatically be denied permission.
@unauthenticated_users
- This permission will only be checked for unauthenticated users. Authenticated users will automatically be denied permission.
Example:
from dry_rest_permissions.generics import allow_staff_or_superuser, authenticated_users
class Project(models.Model):
owner = models.ForeignKey('User')
...
@staticmethod
@authenticated_users
def has_publish_permission(request):
return True
@allow_staff_or_superuser
def has_object_publish_permission(self, request):
return request.user == self.owner
You often need to know all of the possible permissions that are available to the current user from within your client
app so that you can show certain create, edit and destroy options. Sometimes you need to know the permissions on the
client app so that you can display messages to them. DRYPermissionsField
& DRYGlobalPermissionsField
allows
you to return these permissions in a serializer without having to redefine your permission logic. DRY!
from dry_rest_permissions.generics import DRYPermissionsField
class ProjectSerializer(serializers.ModelSerializer):
permissions = DRYPermissionsField()
class Meta:
model = Project
fields = ('id', 'owner', 'permissions')
This response object will look like this:
{
"id": 1,
"owner": 100,
"permissions": {
"read": true,
"write": false,
"create": true,
"update": true
}
}
DRYPermissionsField(actions=None, additional_actions=None, global_only=False, object_only=False, **kwargs):
actions
- This can be passed a list in order to limit the actions that are looked up.
additional_actions
- If you add custom actions then you can have DRYPermissionsField look them up by adding an array of the actions as so permissions = DRYPermissionsField(additional_actions=['publish'])
.
global_only
- If set to True
then it will only look up global permissions.
object_only
- If set to True
then it will only look up object permissions.
This field only returns what is defined on the model. By default it retrieves all default action types that are defined.
A serializer with this field MUST have the request accessible via the serializer's context. By default DRF passes the request to all serializers that is creates. However, if you create a serializer yourself you will have to add the request manually like this:
serializer = TestSerializer(data=request.data, context={'request': request})
from dry_rest_permissions.generics import DRYGlobalPermissionsField
class ProjectSerializer(serializers.ModelSerializer):
permissions = DRYGlobalPermissionsField()
class Meta:
model = Project
fields = ('id', 'owner', 'permissions')
This response object will look like this:
{
"id": 1,
"owner": 100,
"permissions": {
"Project": {
"read": true,
"write": false
},
"MyOtherModel": {
"create": true,
"destroy": false
}
}
}
DRYGlobalPermissionsField(actions=None, additional_actions=None, **kwargs):
actions
- This can be passed a list in order to limit the actions that are looked up.
additional_actions
- If you add custom actions then you can have DRYPermissionsField look them up by adding an array of the actions as so permissions = DRYPermissionsField(additional_actions=['publish'])
.
This field only returns what is defined on the model. By default it retrieves all default action types that are defined.
A serializer with this field MUST have the request accessible via the serializer's context. By default DRF passes the request to all serializers that is creates. However, if you create a serializer yourself you will have to add the request manually like this:
serializer = TestSerializer(data=request.data, context={'request': request})
Many times it is not enough to say that a user does not have permission to view a list of items. Instead you want a user to only be able to view a partial list of items. In this case DRY Rest Permissions built on the filter concept using DRYPermissionFiltersBase
to apply permissions to specific actions.
If you want to apply the same permissions to all list requests (the standard one and custom list actions) you could do the following:
from django.db.models import Q
from rest_framework import viewsets
from dry_rest_permissions.generics import DRYPermissionFiltersBase
class ProjectFilterBackend(DRYPermissionFiltersBase):
def filter_list_queryset(self, request, queryset, view):
"""
Limits all list requests to only be seen by the owners or creators.
"""
return queryset.filter(Q(owner=request.user) | Q(creator=request.user))
class ProjectViewSet(viewsets.ModelViewSet):
serializer_class = ProjectSerializer
queryset = Project.objects.all()
filter_backends = (ProjectFilterBackend,)
If you had a custom list action called owned
that returned just the owned projects you could do this:
from django.db.models import Q
from rest_framework import viewsets
from dry_rest_permissions.generics import DRYPermissionFiltersBase
class ProjectFilterBackend(DRYPermissionFiltersBase):
action_routing = True
def filter_list_queryset(self, request, queryset, view):
"""
Limits all list requests to only be seen by the owners or creators.
"""
return queryset.filter(Q(owner=request.user) | Q(creator=request.user))
def filter_owned_queryset(self, request, queryset, view):
return queryset.filter(owner=request.user)
class ProjectViewSet(viewsets.ModelViewSet):
serializer_class = ProjectSerializer
queryset = Project.objects.all()
filter_backends = (ProjectFilterBackend,)