[Django]-How to make non-editable fields appear when creating objects in Django admin?

4👍

Approach 1

Make label field presented on creation but completely remove it while updating. We will be using ModelAdmin.get_exclude and ModelAdmin.get_fields hooks to accomplish this.

## models.py
class Table(models.Model):
    label = models.CharField(max_length=40) # remove editable option

## admin.py
@admin.register(Table)
class TableAdmin(admin.ModelAdmin):
    non_editable_fields = ['label']
    def get_exclude(self, request, obj=None):
        defaults = super().get_exclude(request, obj=obj) or ()
        if obj: # if we are updating an object
            defaults = (*defaults, *self.non_editable_fields)
        return defaults or None

    def get_fields(self, request, obj=None):
        defaults = super().get_fields(request, obj=obj)
        if obj: # if we are updating an object
            defaults = tuple(f for f in defaults if f not in self.non_editable_fields)
        return defaults

Approach 2

Make label field presented on both creation and update but make it read only while updating. django admin provides a hook for this functioanlity and it is called ModelAdmin.get_readonly_fields. You can find the documentation here.

So we can write the following code to create a field which can be presented/added when creating an object but can not be edited any further despite set value is being displayed(through admin site).

## models.py
class Table(models.Model):
    label = models.CharField(max_length=40) # remove editable option

## admin.py
@admin.register(Table)
class TableAdmin(admin.ModelAdmin):
    def get_readonly_fields(self, request, obj=None):
        defaults = super().get_readonly_fields(request, obj=obj)
        if obj:  # if we are updating an object
            defaults = tuple(defaults) + ('label', )  # make sure defaults is a tuple
        return defaults

Bonus for Approach 2

Also if you have multiple fields on that table you can use fields property to set the ordering(read only fields which are not specifically ordered will be shown at the end of the field list). Down side for this ordering approach is that you have to remember to reflect model changes to fields property every time you make a change in your model.

3👍

Try to use readonly_fields in admin.py file

class TableAdmin(admin.ModelAdmin):
    readonly_fields = ('label',)

admin.site.register(Table, TableAdmin)

Leave a comment