Skip to main content

Multiple admin mixin for yours Django Admins

Project description

https://badge.fury.io/py/django-admin-toolkit.svg/?style=flat-square https://readthedocs.org/projects/pip/badge/?version=latest&style=flat-square Coverage Status

This package offers a wide choice of admin mixins to best customize your Django admin site, with a multitude of useful features that will simplify your development.

Documentation

The full documentation is at https://django-admin-toolkit.readthedocs.io.

Quickstart

Install Django Admin Toolkit:

pip install django-admin-toolkit

Add it to your INSTALLED_APPS:

INSTALLED_APPS = (
    ...
    'admin_toolkit',
    ...
)

AfterSaveAdminMixin

Through this mixin it is possible to insert your own logics at the end of saving the model via Django admin site.

from admin_toolkit.admin_mixins import AfterSaveAdminMixin

@admin.register(app_models.AfterSaveExampleModel)
class AfterSaveExampleModelAdmin(AfterSaveAdminMixin, admin.ModelAdmin):
    list_display = ("__str__", "test_text")
    fields = ("test_text",)

AllReadonlyAdminMixin

This admin mixin will turn all your admin fields into read only fields.

from admin_toolkit.admin_mixins import AllReadonlyAdminMixin

@admin.register(app_models.AllReadonlyExampleModel)
class AllReadonlyExampleModelAdmin(AllReadonlyAdminMixin, admin.ModelAdmin):
    list_display = ("id", "test_text",)
    fields = ("test_text",)

In the image you can see that there is no permission to add other objects because in the mixin has_add_permission() returns False.

ChangeList Image.

And in the detail page it is possible to see that all the fields present are readonly.

ChangeForm Image.

AllReadonlyAdminInlineMixin

This admin mixin will turn all your inline admin fields into read only fields.

from admin_toolkit.admin_mixins import AllReadonlyAdminInlineMixin

class AllReadonlyExampleModelAdminInline(AllReadonlyAdminInlineMixin, admin.TabularInline):
    model = app_models.AllReadonlyExampleModel
    fields = ("test_text",)

In the image you can see that there is no permission to add other objects in inline because in the mixin has_add_permission() returns False. And it is possible to see that all the fields present are readonly.

Inline Image.

BaseAdminMixin

This mixin provides a wide variety of display methods for all (or almost all) of the readonly fields that you will need to display in your Django admin site.

Create your model and add the admin_changelist_url() method and the get_ct() method to it.

class BaseExampleModel(models.Model):
    objects = app_managers.BaseExampleModelManager.from_queryset(app_queryset.BaseExampleModelQuerySet)()

    test_boolean = models.BooleanField(
        "Test bool",
        null=True
    )
    test_datetime = models.DateTimeField(
        "Test datetime"
    )
    test_fk = models.ForeignKey(
        "example.BaseExampleFkModel",
        verbose_name="Test fk",
        on_delete=models.CASCADE,
        related_name="example_for_base_admin_mixins"
    )
    test_image = models.ImageField(
        "Test image",
        upload_to="example/images/"
    )
    test_m2m = models.ManyToManyField(
        "example.BaseExampleM2MModel",
        related_name="example_for_base_admin_mixins",
    )
    example_generic_relation_model_for_base_admin_mixin = GenericRelation(
        "example.BaseExampleGenericRelationModel",
        related_query_name='example_model_for_base_admin_mixin'
    )

    def __str__(self):
        return str(self.id)

    @classmethod
    def admin_changelist_url(cls):
        return reverse("admin:example_baseexamplemodel_changelist")

    def get_ct(self):
        return ContentType.objects.get(
            app_label=self._meta.app_label, model=self._meta.model_name
        )

Then register BaseExampleModel and start to add all yours displays.

from admin_toolkit.admin_mixins import BaseAdminMixin


@admin.register(app_models.BaseExampleModel)
class BaseExampleModelAdmin(BaseAdminMixin, admin.ModelAdmin):
    list_display = (
        "__str__",
        "display_test_boolean",
        "display_test_datetime",
        "display_test_date",
        "display_test_time",
        "display_test_fk",
        "display_test_image",
        "display_test_m2m",
    )
    fields = ("test_boolean", "test_datetime", "test_fk", "test_image", "test_m2m")
    readonly_fields = (
        "display_test_boolean",
        "display_test_datetime",
        "display_test_date",
        "display_test_time",
        "display_test_fk",
        "display_test_image",
        "display_test_m2m",
        "display_generic_relation",
    )
  1. How to display a boolean field:

    @mark_safe
    def display_test_boolean(self, obj):
        if obj and obj.test_boolean:
            return self._display_boolean(obj.test_boolean)
        return ""
    BaseAdminMixin boolean field Image.
  2. How to display a datetime (work only with datetime):

    @mark_safe
    def display_test_datetime(self, obj):
        if obj and obj.test_datetime:
            return self._display_datetime(obj.test_datetime)
        return ""
    BaseAdminMixin datetime field Image.
  3. How to display a date (work only with datetime):

    @mark_safe
    def display_test_date(self, obj):
        if obj and obj.test_datetime:
            return self._display_date(obj.test_datetime)
        return ""
    BaseAdminMixin date field Image.
  4. How to display a time (work only with datetime):

    @mark_safe
    def display_test_time(self, obj):
        if obj and obj.test_datetime:
            return self._display_time(obj.test_datetime)
        return ""
    BaseAdminMixin time field Image.
  5. How to display a ForeignKey:

    @mark_safe
    def display_test_fk(self, obj):
        if obj and obj.test_fk:
            return self._display_fk_object(obj.test_fk)
        return ""
    BaseAdminMixin FK field Image.
  6. How to display an image:

    @mark_safe
    def display_test_image(self, obj):
        if obj and obj.test_image:
            return self._display_image(obj.test_image)
        return ""
    BaseAdminMixin image field Image.
  7. How to display a ManyToMany:

    @mark_safe
    def display_test_m2m(self, obj):
        if obj and obj.test_m2m:
            return self._display_m2m_objects(
                obj, m2m_field_name="test_m2m", label="Example M2Ms"
            )
        return ""
    BaseAdminMixin image field Image.
  8. How to display a GenericRelation:

    @mark_safe
    def display_generic_relation(self, obj):
        if obj and obj.id:
            return self._display_generic_related_objects(
                obj,
                "example_generic_relation_model_for_base_admin_mixin",
                "Example Generic Relations"
            )
        return ""
    BaseAdminMixin generic relation field Image.

This is the final changelist result:

BaseAdminMixin example result ChangeList Image.

ConfigurableWidgetsAdminMixin

Use ConfigurableWidgetsMixinAdmin if you want to customize quickly default widget/label/help_text or every related admin form configurations without doing modifications of the auto created ModelForm.

In this example I am going to modify the help_text and the widgets of the three fields.

# ==================
# project/models.py
# ==================

class ConfigurableWidgetsExampleModel(models.Model):
    objects = ConfigurableWidgetsExampleModelManager.from_queryset(
        ConfigurableWidgetsExampleModelQuerySet)()

    test_text = models.CharField("Test Text", max_length=500, default="", blank=True)
    test_fk = models.ForeignKey(
        ConfigurableWidgetsExampleFKModel,
        verbose_name="Test FK",
        on_delete=models.SET_NULL,
        null=True
    )
    test_m2m = models.ManyToManyField(
        ConfigurableWidgetsExampleM2MModel,
        verbose_name="Test M2M"
    )

    class Meta:
        verbose_name = "Configurable widgets example model"
        verbose_name_plural = "Configurable widgets example models"

# ==================
# project/admin.py
# ==================
from admin_toolkit.admin_mixins import ConfigurableWidgetsAdminMixin


@admin.register(app_models.ConfigurableWidgetsExampleModel)
class ConfigurableWidgetsExampleModelAdmin(ConfigurableWidgetsAdminMixin, admin.ModelAdmin):
    list_display = ("id", "test_text",)
    fieldsets = (
        (None, {"fields": (
            ("test_text",),
            ("test_fk", "test_m2m",),
        )}),
    )
    filter_horizontal = ("test_m2m",)
    dbfield_overrides = {
        "test_text": {"help_text": "Test Text Example help text", "widget": forms.Textarea},
    }
    fkfield_overrides = {
        "test_fk": {"help_text": "Test FK Example help text", "widget": forms.RadioSelect},
    }
    m2mfield_overrides = {
        "test_m2m": {"help_text": "Test M2M Example help text", "widget": forms.CheckboxSelectMultiple}
    }

This is the final result:

Configurable Widgets Mixin change form Image.

DetailInInlineAdminMixin

This admin mixin allows you to have in each line of the inline a button that redirects to the change form of the element created.

from admin_toolkit.admin_mixins import DetailInInlineAdminMixin


class DetailInInlineExampleModelAdminInline(DetailInInlineAdminMixin, admin.TabularInline):
    fields = ("test_text",)
    model = app_models.DetailInInlineExampleModel

This is the final result:

Configurable Widgets Mixin change form Image.

EmptyValueAdminMixin

This admin mixin allows you to define a label for a foreign key field for the empty value.

@admin.register(app_models.EmptyValueExampleModel)
class EmptyValueExampleModelAdmin(EmptyValueAdminMixin, admin.ModelAdmin):
    list_display = ("id", "test_text", "test_fk",)
    fields = ("test_text", "test_fk")
    empty_values = {
        "test_fk": _("NO TEST FK")
    }

This is the final result:

Empty value admin mixin change form Image.

ExtraButtonAdminMixin

This admin mixin allows you to add extra buttons links next to the add button in a simple and immediate way.

@admin.register(app_models.ExtraButtonExampleModel)
class ExtraButtonExampleModelAdmin(ExtraButtonAdminMixin, admin.ModelAdmin):
    list_display = ("id", "test_text")
    fields = ("test_text",)
    extra_button = [
        {
            "label": "Example Extra Button",
            "url": "http://example.com",
            "class": ""
        }
    ]

This is the final result:

Extra button admin mixin changelist Image.

FloatingAdminMixin

This mixin makes the list filters collapsible vertically in such a way as to have more space for any columns that otherwise would not be seen.

@admin.register(app_models.FloatingExampleModel)
class FloatingExampleModelAdmin(FloatingAdminMixin, admin.ModelAdmin):
    list_display = ("id", "test_text")
    list_filter = ("test_text",)
    fields = ("test_text",)

This is the final result:

  1. When the list filter is collapsed.
    Floating admin mixin collapsed in changelist Image.
  2. When the list filter is decollapsed.
    Floating admin mixin decollapsed in changelist Image.

ImprovedRawIdFieldsAdminMixin

This admin mixin allows you to view the link of the changelist/changeform of the selected objects inside the raw_id_field on ForeignKey and ManyToMany.

@admin.register(app_models.ImprovedRawIdFieldsExampleModel)
class ImprovedRawIdFieldsExampleModelAdmin(ImprovedRawIdFieldsAdminMixin, admin.ModelAdmin):
    improved_raw_id_fields = ["test_fk", "test_m2m"]
    list_display = ("id", "test_name",)
    fieldsets = (
        (None, {"fields": (
            ("test_name",),
            ("test_fk", "test_m2m"),
        )}),
    )

This is the result:

  1. When adding an object.
    Improve Raw Id Fields admin mixin in changeform add Image.
  2. When changing an object.
    Improve Raw Id Fields admin mixin in changeform change Image.

ADMIN FILTERS

This package also comes with a set of list filters that you can use to make it easier to write filters with special queries.

Admin filters changelist Image.

CustomRelatedSelectFilter

Using this filter on Many to Many or Foreign Key it is possible to have a list of elements associated with the field inserted in the list_filter which becomes a select if the list exceeds 4 elements ordered according to a specific field of the foreign key or many to many.

class CustomRelatedSelectFilterForTestFK(admin_filters.CustomRelatedSelectFilter):

    def get_related_order(self):
        return ["test_char"]


class CustomRelatedSelectFilterForTestM2M(admin_filters.CustomRelatedSelectFilter):

    def get_related_order(self):
        return ["test_char"]

@admin.register(app_models.AdminFilterExampleModel)
class AdminFilterExampleModelAdmin(admin.ModelAdmin):
    list_display = ("id", "test_char", "get_test_choice_display", "test_fk")
    list_filter = (
        ("test_fk", CustomRelatedSelectFilterForTestFK),
        ("test_m2m", CustomRelatedSelectFilterForTestM2M),
    )
    fieldsets = (
        (None, {"fields": (
            ("test_char", "test_choice", "test_fk", "test_m2m"),
        )}),
    )

This are the results:

  • For the field test_fk:

    Admin custom related filter for FK
  • For the field test_m2m:

    Admin custom related filter for M2M

RelatedSelectFilter

Using this filter on Many to Many or Foreign Key it is possible to have a list of elements associated with the field inserted in the list_filter which becomes a select if the list exceeds 4 elements.

@admin.register(app_models.AdminFilterExampleModel)
class AdminFilterExampleModelAdmin(admin.ModelAdmin):
    list_display = ("id", "test_char", "get_test_choice_display", "test_fk")
    list_filter = (
        ("test_fk", RelatedSelectFilter),
    )
    fieldsets = (
        (None, {"fields": (
            ("test_char", "test_choice", "test_fk", "test_m2m"),
        )}),
    )

SelectFilter

This filter can be used on fields that contain choices to be able to display them in a select instead of seeing a bulleted list.

@admin.register(app_models.AdminFilterExampleModel)
class AdminFilterExampleModelAdmin(admin.ModelAdmin):
    list_display = ("id", "test_char", "get_test_choice_display", "test_fk")
    list_filter = (
        ("test_choice", SelectFilter),
    )
    fieldsets = (
        (None, {"fields": (
            ("test_char", "test_choice", "test_fk", "test_m2m"),
        )}),
    )

This is the result:

Admin select filter for choices Image.

SimpleBooleanListFilter

This filter can be used to give a given query a boolean filter like this example:

# tests/example/admin_filters.py

class SimpleBooleanTestInTestCharFilter(admin_filters.SimpleBooleanListFilter):
    title = "Test word is in Test char?"
    parameter_name = "test_char"

    def get_true_queryset_values(self, queryset):
        return queryset.filter(test_char__icontains="test")

    def get_false_queryset_values(self, queryset):
        return queryset.exclude(test_char__icontains="test")

# tests/example/admin.py

from tests.example import admin_filters as app_admin_filters

@admin.register(app_models.AdminFilterExampleModel)
class AdminFilterExampleModelAdmin(admin.ModelAdmin):
    list_display = ("id", "test_char", "get_test_choice_display", "test_fk")
    list_filter = (
        app_admin_filters.SimpleBooleanTestInTestCharFilter,
    )
    fieldsets = (
        (None, {"fields": (
            ("test_char", "test_choice", "test_fk", "test_m2m"),
        )}),
    )

This is the result:

Admin boolean filter Image.

Running Tests

Does the code actually work?

source <YOURVIRTUALENV>/bin/activate
(myenv) $ pip install tox
(myenv) $ tox

Development commands

pip install -r requirements_dev.txt
invoke -l

Credits

Tools used in rendering this package:

History

0.1.0 (2021-11-10)

  • First release on PyPI.

0.1.1 (2021-11-10)

  • Fixed HISTORY.rst problems with long_description_content_type

0.1.3 (2021-11-10)

  • Fixed HISTORY.rst problems changing + to _ for versions.

0.1.4 (2021-12-6)

  • Fixed bug on ConfigurableWidgetsAdminMixin.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

django-admin-toolkit-0.1.9.tar.gz (35.2 kB view hashes)

Uploaded Source

Built Distribution

django_admin_toolkit-0.1.9-py2.py3-none-any.whl (29.3 kB view hashes)

Uploaded Python 2 Python 3

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page