523

In a Django form, how do I make a field read-only (or disabled)?

When the form is being used to create a new entry, all fields should be enabled - but when the record is in update mode some fields need to be read-only.

For example, when creating a new Item model, all fields must be editable, but while updating the record, is there a way to disable the sku field so that it is visible, but cannot be edited?

class Item(models.Model):
    sku = models.CharField(max_length=50)
    description = models.CharField(max_length=200)
    added_by = models.ForeignKey(User)


class ItemForm(ModelForm):
    class Meta:
        model = Item
        exclude = ('added_by')

def new_item_view(request):
    if request.method == 'POST':
        form = ItemForm(request.POST)
        # Validate and save
    else:
            form = ItemForm()
    # Render the view

Can class ItemForm be reused? What changes would be required in the ItemForm or Item model class? Would I need to write another class, "ItemUpdateForm", for updating the item?

def update_item_view(request):
    if request.method == 'POST':
        form = ItemUpdateForm(request.POST)
        # Validate and save
    else:
        form = ItemUpdateForm()
phoenix
  • 7,988
  • 6
  • 39
  • 45
X10
  • 17,155
  • 7
  • 30
  • 28
  • 1
    See also SO question: Why are read-only form fields in Django a bad idea? @ http://stackoverflow.com/questions/2902024/ , Accepted answer (by Daniel Naab) takes care of malicious POST hacks. – X10 Aug 13 '11 at 02:14
  • [`forms.fields.Field.disabled`](https://docs.djangoproject.com/en/3.1/ref/forms/fields/#disabled) – djvg Oct 06 '20 at 14:18

30 Answers30

493

As pointed out in this answer, Django 1.9 added the Field.disabled attribute:

The disabled boolean argument, when set to True, disables a form field using the disabled HTML attribute so that it won’t be editable by users. Even if a user tampers with the field’s value submitted to the server, it will be ignored in favor of the value from the form’s initial data.

With Django 1.8 and earlier, to disable entry on the widget and prevent malicious POST hacks you must scrub the input in addition to setting the readonly attribute on the form field:

class ItemForm(ModelForm):
    def __init__(self, *args, **kwargs):
        super(ItemForm, self).__init__(*args, **kwargs)
        instance = getattr(self, 'instance', None)
        if instance and instance.pk:
            self.fields['sku'].widget.attrs['readonly'] = True

    def clean_sku(self):
        instance = getattr(self, 'instance', None)
        if instance and instance.pk:
            return instance.sku
        else:
            return self.cleaned_data['sku']

Or, replace if instance and instance.pk with another condition indicating you're editing. You could also set the attribute disabled on the input field, instead of readonly.

The clean_sku function will ensure that the readonly value won't be overridden by a POST.

Otherwise, there is no built-in Django form field which will render a value while rejecting bound input data. If this is what you desire, you should instead create a separate ModelForm that excludes the uneditable field(s), and just print them inside your template.

Saransh Singh
  • 730
  • 4
  • 11
Daniel Naab
  • 22,690
  • 8
  • 54
  • 55
  • 3
    Daniel, Thanks for posting an answer. It is not clear to me how to use this code? wouldn't this code work for same for new as well update mode? Can you edit your answer to give examples on how to use it for new and update forms? Thanks. – X10 Nov 29 '08 at 16:29
  • 9
    The key to Daniel's example is testing the .id field. Newly created objects will have id==None. By the way, one of the oldest open Django tickets is about this issue. See http://code.djangoproject.com/ticket/342 . – Peter Rowell Nov 29 '08 at 16:52
  • but what about foreignkey fields.It is not for foreignkey – ha22109 May 26 '09 at 10:06
  • Changing `instance.id` to `instance.pk` means it should work when you've set a non-default primary key. I have code that uses a `name` attribute so `id` does not exist. – Matt S. Feb 28 '11 at 05:35
  • @Daniel how would I apply clean_sku to multiple fields (eg sku and description) – moadeep Apr 17 '15 at 13:28
  • 2
    @moadeep add a `clean_description` method to the form class. – Daniel Naab Apr 17 '15 at 16:41
  • 4
    on linux (ubuntu 15 ) / chrome v45, readonly changes the pointer to a "disabled hand" but the field is then clickable. with disabled it works as expected – simone cittadini Oct 08 '15 at 10:19
  • 9
    This answer needs to be updated. A new field argument [`disabled`](https://docs.djangoproject.com/en/1.9/ref/forms/fields/#disabled) is added in Django 1.9. If `Field.disabled` is set to `True`, then POST value for that `Field` is ignored. So if you're using 1.9, there's no need to override `clean`, just set `disabled = True`. Check [this](http://stackoverflow.com/a/34538169/3679857) answer. – narendra-choudhary Jun 05 '16 at 05:09
  • @DanielNaab: What if the number of fields to be set to readonly are very large ? do you recommend to override so many `clean_` functions ? What's the best possible method in such a case ? – Rahul Verma Jun 04 '18 at 18:11
  • @batMan Nowadays, use the disabled attribute on the field rather than this method: https://docs.djangoproject.com/en/1.9/ref/forms/fields/#disabled – Daniel Naab Jun 04 '18 at 23:40
  • I found https://code.djangoproject.com/ticket/17031 to be a concise example. – Anthony Petrillo Mar 28 '21 at 18:10
195

Django 1.9 added the Field.disabled attribute: https://docs.djangoproject.com/en/stable/ref/forms/fields/#disabled

The disabled boolean argument, when set to True, disables a form field using the disabled HTML attribute so that it won’t be editable by users. Even if a user tampers with the field’s value submitted to the server, it will be ignored in favor of the value from the form’s initial data.

Saransh Singh
  • 730
  • 4
  • 11
MDB
  • 2,129
  • 1
  • 13
  • 13
  • Nothing for 1.8 LTS ? – dnit13 Apr 11 '16 at 15:02
  • 9
    any idea how we can use this on an UpdateView ? As it generates the fields from the model... – bcsanches Jul 01 '16 at 18:54
  • 9
    Correct answer. My solution class MyChangeForm(forms.ModelForm): def __init__(self, *args, **kwargs): super(MyChangeForm, self).__init__(*args, **kwargs) self.fields['my_field'].disabled = True – Vijay Katam Jan 18 '17 at 20:03
  • 13
    This is a problematic answer - setting `disabled=True` will cause the model to be spat back to the user with validation errors. – Ben Jan 11 '18 at 21:55
  • 2
    Would be awesome if you could include an example – geoidesic Aug 23 '18 at 15:00
  • @Ben: Not sure if this applies to your case, but a `disabled` field falls back to its `initial` value when saved, as mentioned in the [docs](https://docs.djangoproject.com/en/3.0/ref/forms/fields/#disabled), so you might need to set `FormField.initial` to prevent validation errors. – djvg Jul 02 '20 at 15:25
  • This works well, but, in case of related fields, it does not hide the "Change selected" and "Add another" links. – djvg Jul 02 '20 at 15:29
100

Setting readonly on a widget only makes the input in the browser read-only. Adding a clean_sku which returns instance.sku ensures the field value will not change on form level.

def clean_sku(self):
    if self.instance: 
        return self.instance.sku
    else: 
        return self.fields['sku']

This way you can use model's (unmodified save) and avoid getting the field required error.

LostMyGlasses
  • 3,074
  • 20
  • 28
muhuk
  • 15,777
  • 9
  • 59
  • 98
  • 18
    +1 This is a great way to avoid more complicated save() overrides. However, you'd want to do an instance check before the return (in newline-less comment mode): "if self.instance: return self.instance.sku; else: return self.fields['sku']" – Daniel Naab Jan 25 '09 at 06:08
  • 4
    For the last line, would `return self.cleaned_data['sku']` be as good or better? The [docs](https://docs.djangoproject.com/en/2.2/ref/forms/validation/) seem to suggest using `cleaned_data`: "The return value of this method replaces the existing value in `cleaned_data`, so it must be the field’s value from `cleaned_data` (even if this method didn’t change it) or a new cleaned value." – pianoJames Jul 24 '19 at 18:28
85

awalker's answer helped me a lot!

I've changed his example to work with Django 1.3, using get_readonly_fields.

Usually you should declare something like this in app/admin.py:

class ItemAdmin(admin.ModelAdmin):
    ...
    readonly_fields = ('url',)

I've adapted in this way:

# In the admin.py file
class ItemAdmin(admin.ModelAdmin):
    ...
    def get_readonly_fields(self, request, obj=None):
        if obj:
            return ['url']
        else:
            return []

And it works fine. Now if you add an Item, the url field is read-write, but on change it becomes read-only.

Community
  • 1
  • 1
chirale
  • 1,659
  • 16
  • 20
  • How to do this, without being able to write down on the field? – AnonymousUser Nov 19 '21 at 07:13
  • The first code snippet disable writing on the url field entirely, the second snippet disable the writing on the url field only on existing Item instances. You can change the condition to obtain a different behaviour but you can't use both if I understand correctly the question. – chirale Nov 22 '21 at 09:15
  • I tried `readonly_fields`, but it didn't work, because I had to have `fields` as well. What I did instead, was to display the values in variables, now they are only read only. – AnonymousUser Nov 23 '21 at 03:08
66

To make this work for a ForeignKey field, a few changes need to be made. Firstly, the SELECT HTML tag does not have the readonly attribute. We need to use disabled="disabled" instead. However, then the browser doesn't send any form data back for that field. So we need to set that field to not be required so that the field validates correctly. We then need to reset the value back to what it used to be so it's not set to blank.

So for foreign keys you will need to do something like:

class ItemForm(ModelForm):

    def __init__(self, *args, **kwargs):
        super(ItemForm, self).__init__(*args, **kwargs)
        instance = getattr(self, 'instance', None)
        if instance and instance.id:
            self.fields['sku'].required = False
            self.fields['sku'].widget.attrs['disabled'] = 'disabled'

    def clean_sku(self):
        # As shown in the above answer.
        instance = getattr(self, 'instance', None)
        if instance:
            return instance.sku
        else:
            return self.cleaned_data.get('sku', None)

This way the browser won't let the user change the field, and will always POST as it it was left blank. We then override the clean method to set the field's value to be what was originally in the instance.

Daniel Holmes
  • 1,952
  • 2
  • 17
  • 28
Humphrey
  • 4,108
  • 2
  • 28
  • 27
  • I tried to use it as form in `TabularInline`, but failed because `attrs` were shared between `widget` instances and all but the first row, including the newly added, rendered read only. – dhill Apr 01 '16 at 09:58
  • A great (update) solution! Unfortunately this and the rest have issues when there are form errors as all "disabled" values get emptied. – Michael Thompson May 23 '16 at 06:48
38

For Django 1.2+, you can override the field like so:

sku = forms.CharField(widget = forms.TextInput(attrs={'readonly':'readonly'}))
Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
StefanNch
  • 2,569
  • 24
  • 31
  • 6
    This does not allow the field to be edited at add time either, which is what the original question is about. – Matt S. Feb 28 '11 at 05:36
  • This is the answer that I'm looking for. `Field` `disabled` doesn't do what I want because it disables the field, but also removes label / make it invisible. – sivabudh Jun 29 '16 at 13:33
18

I made a MixIn class which you may inherit to be able to add a read_only iterable field which will disable and secure fields on the non-first edit:

(Based on Daniel's and Muhuk's answers)

from django import forms
from django.db.models.manager import Manager

# I used this instead of lambda expression after scope problems
def _get_cleaner(form, field):
    def clean_field():
         value = getattr(form.instance, field, None)
         if issubclass(type(value), Manager):
             value = value.all()
         return value
    return clean_field

class ROFormMixin(forms.BaseForm):
    def __init__(self, *args, **kwargs):
        super(ROFormMixin, self).__init__(*args, **kwargs)
        if hasattr(self, "read_only"):
            if self.instance and self.instance.pk:
                for field in self.read_only:
                    self.fields[field].widget.attrs['readonly'] = "readonly"
                    setattr(self, "clean_" + field, _get_cleaner(self, field))

# Basic usage
class TestForm(AModelForm, ROFormMixin):
    read_only = ('sku', 'an_other_field')
Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
christophe31
  • 6,359
  • 4
  • 34
  • 46
14

I ran across a similar problem. It looks like I was able to solve it by defining a get_readonly_fields method in my ModelAdmin class.

Something like this:

# In the admin.py file

class ItemAdmin(admin.ModelAdmin):

    def get_readonly_display(self, request, obj=None):
        if obj:
            return ['sku']
        else:
            return []

The nice thing is that obj will be None when you are adding a new Item, or it will be the object being edited when you are changing an existing Item.

get_readonly_display is documented here.

djvg
  • 11,722
  • 5
  • 72
  • 103
awalker
  • 141
  • 1
  • 2
  • I guess `get_readonly_display` should now be [`get_readonly_fields`](https://docs.djangoproject.com/en/stable/ref/contrib/admin/#django.contrib.admin.ModelAdmin.get_readonly_fields)... – djvg Aug 03 '21 at 16:13
12

I've just created the simplest possible widget for a readonly field - I don't really see why forms don't have this already:

class ReadOnlyWidget(widgets.Widget):
    """Some of these values are read only - just a bit of text..."""
    def render(self, _, value, attrs=None):
        return value

In the form:

my_read_only = CharField(widget=ReadOnlyWidget())

Very simple - and gets me just output. Handy in a formset with a bunch of read only values. Of course - you could also be a bit more clever and give it a div with the attrs so you can append classes to it.

Danny Staple
  • 7,101
  • 4
  • 43
  • 56
  • 2
    Looks sexy, but how to handle foreign key? – andilabs Apr 08 '15 at 14:00
  • Make that `unicode(value)` in the return instead perhaps. Assuming the unicode dunder is sensible, you'd then get that. – Danny Staple Apr 08 '15 at 15:24
  • For foreign keys, you'll need to add a "model" attribute and use "get(value)". Check [my gist](https://gist.github.com/shadiakiki1986/e27edd06f2cb3ad4110405235849ebfb) – Shadi Jul 04 '17 at 14:30
11

For django 1.9+
You can use Fields disabled argument to make field disable. e.g. In following code snippet from forms.py file , I have made employee_code field disabled

class EmployeeForm(forms.ModelForm):
    employee_code = forms.CharField(disabled=True)
    class Meta:
        model = Employee
        fields = ('employee_code', 'designation', 'salary')

Reference https://docs.djangoproject.com/en/dev/ref/forms/fields/#disabled

pyjavo
  • 1,598
  • 2
  • 23
  • 41
Ajinkya Bhosale
  • 343
  • 3
  • 9
10

How I do it with Django 1.11 :

class ItemForm(ModelForm):
    disabled_fields = ('added_by',)

    class Meta:
        model = Item
        fields = '__all__'

    def __init__(self, *args, **kwargs):
        super(ItemForm, self).__init__(*args, **kwargs)
        for field in self.disabled_fields:
            self.fields[field].disabled = True
Lucas B
  • 2,183
  • 1
  • 22
  • 22
  • this will only block from fronted. any one can bypass. this will make a security problem if you doing on sensitive data – Sarath Ak Feb 12 '20 at 16:02
  • 2
    It's safe; it also blocks in backend since Django >= 1.10 https://docs.djangoproject.com/en/1.10/ref/forms/fields/#django.forms.Field.disabled – Tim Diels Mar 26 '20 at 18:29
  • Thanks a lot it saved a lot of time and also has a validation in the backend ! – Saikat Mukherjee Dec 06 '21 at 21:47
6

One simple option is to just type form.instance.fieldName in the template instead of form.fieldName.

Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
alzclarke
  • 1,725
  • 2
  • 17
  • 20
  • And how about the `verbos_name` or `label` of field? How can I show `label in django template ? @alzclarke – rahnama7m Jun 05 '19 at 16:12
6

You can elegantly add readonly in the widget:

class SurveyModaForm(forms.ModelForm):
    class Meta:
        model  = Survey
        fields = ['question_no']
        widgets = {
        'question_no':forms.NumberInput(attrs={'class':'form-control','readonly':True}),
        }
nofoobar
  • 2,826
  • 20
  • 24
6

Yet again, I am going to offer one more solution :) I was using Humphrey's code, so this is based off of that.

However, I ran into issues with the field being a ModelChoiceField. Everything would work on the first request. However, if the formset tried to add a new item and failed validation, something was going wrong with the "existing" forms where the SELECTED option was being reset to the default ---------.

Anyway, I couldn't figure out how to fix that. So instead, (and I think this is actually cleaner in the form), I made the fields HiddenInputField(). This just means you have to do a little more work in the template.

So the fix for me was to simplify the Form:

class ItemForm(ModelForm):

    def __init__(self, *args, **kwargs):
        super(ItemForm, self).__init__(*args, **kwargs)
        instance = getattr(self, 'instance', None)
        if instance and instance.id:
            self.fields['sku'].widget=HiddenInput()

And then in the template, you'll need to do some manual looping of the formset.

So, in this case you would do something like this in the template:

<div>
    {{ form.instance.sku }} <!-- This prints the value -->
    {{ form }} <!-- Prints form normally, and makes the hidden input -->
</div>

This worked a little better for me and with less form manipulation.

pyjavo
  • 1,598
  • 2
  • 23
  • 41
JamesD
  • 607
  • 1
  • 8
  • 22
5

I was going into the same problem so I created a Mixin that seems to work for my use cases.

class ReadOnlyFieldsMixin(object):
    readonly_fields =()

    def __init__(self, *args, **kwargs):
        super(ReadOnlyFieldsMixin, self).__init__(*args, **kwargs)
        for field in (field for name, field in self.fields.iteritems() if name in self.readonly_fields):
            field.widget.attrs['disabled'] = 'true'
            field.required = False

    def clean(self):
        cleaned_data = super(ReadOnlyFieldsMixin,self).clean()
        for field in self.readonly_fields:
           cleaned_data[field] = getattr(self.instance, field)

        return cleaned_data

Usage, just define which ones must be read only:

class MyFormWithReadOnlyFields(ReadOnlyFieldsMixin, MyForm):
    readonly_fields = ('field1', 'field2', 'fieldx')
Michael
  • 8,357
  • 20
  • 58
  • 86
5

As a useful addition to Humphrey's post, I had some issues with django-reversion, because it still registered disabled fields as 'changed'. The following code fixes the problem.

class ItemForm(ModelForm):

    def __init__(self, *args, **kwargs):
        super(ItemForm, self).__init__(*args, **kwargs)
        instance = getattr(self, 'instance', None)
        if instance and instance.id:
            self.fields['sku'].required = False
            self.fields['sku'].widget.attrs['disabled'] = 'disabled'

    def clean_sku(self):
        # As shown in the above answer.
        instance = getattr(self, 'instance', None)
        if instance:
            try:
                self.changed_data.remove('sku')
            except ValueError, e:
                pass
            return instance.sku
        else:
            return self.cleaned_data.get('sku', None)
Community
  • 1
  • 1
Evan Brumley
  • 2,468
  • 20
  • 13
5

As I can't yet comment (muhuk's solution), I'll response as a separate answer. This is a complete code example, that worked for me:

def clean_sku(self):
  if self.instance and self.instance.pk:
    return self.instance.sku
  else:
    return self.cleaned_data['sku']
Community
  • 1
  • 1
Madis
  • 411
  • 5
  • 7
4

Based on Yamikep's answer, I found a better and very simple solution which also handles ModelMultipleChoiceField fields.

Removing field from form.cleaned_data prevents fields from being saved:

class ReadOnlyFieldsMixin(object):
    readonly_fields = ()

    def __init__(self, *args, **kwargs):
        super(ReadOnlyFieldsMixin, self).__init__(*args, **kwargs)
        for field in (field for name, field in self.fields.iteritems() if
                      name in self.readonly_fields):
            field.widget.attrs['disabled'] = 'true'
            field.required = False

    def clean(self):
        for f in self.readonly_fields:
            self.cleaned_data.pop(f, None)
        return super(ReadOnlyFieldsMixin, self).clean()

Usage:

class MyFormWithReadOnlyFields(ReadOnlyFieldsMixin, MyForm):
    readonly_fields = ('field1', 'field2', 'fieldx')
Community
  • 1
  • 1
darklow
  • 2,249
  • 24
  • 22
4

if your need multiple read-only fields.you can use any of methods given below

method 1

class ItemForm(ModelForm):
    readonly = ('sku',)

    def __init__(self, *arg, **kwrg):
        super(ItemForm, self).__init__(*arg, **kwrg)
        for x in self.readonly:
            self.fields[x].widget.attrs['disabled'] = 'disabled'

    def clean(self):
        data = super(ItemForm, self).clean()
        for x in self.readonly:
            data[x] = getattr(self.instance, x)
        return data

method 2

inheritance method

class AdvancedModelForm(ModelForm):


    def __init__(self, *arg, **kwrg):
        super(AdvancedModelForm, self).__init__(*arg, **kwrg)
        if hasattr(self, 'readonly'):
            for x in self.readonly:
                self.fields[x].widget.attrs['disabled'] = 'disabled'

    def clean(self):
        data = super(AdvancedModelForm, self).clean()
        if hasattr(self, 'readonly'):
            for x in self.readonly:
                data[x] = getattr(self.instance, x)
        return data


class ItemForm(AdvancedModelForm):
    readonly = ('sku',)
Sarath Ak
  • 7,903
  • 2
  • 47
  • 48
3

For the Admin version, I think this is a more compact way if you have more than one field:

def get_readonly_fields(self, request, obj=None):
    skips = ('sku', 'other_field')
    fields = super(ItemAdmin, self).get_readonly_fields(request, obj)

    if not obj:
        return [field for field in fields if not field in skips]
    return fields
Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
Hassek
  • 8,715
  • 6
  • 47
  • 59
3

Two more (similar) approaches with one generalized example:

1) first approach - removing field in save() method, e.g. (not tested ;) ):

def save(self, *args, **kwargs):
    for fname in self.readonly_fields:
        if fname in self.cleaned_data:
            del self.cleaned_data[fname]
    return super(<form-name>, self).save(*args,**kwargs)

2) second approach - reset field to initial value in clean method:

def clean_<fieldname>(self):
    return self.initial[<fieldname>] # or getattr(self.instance, fieldname)

Based on second approach I generalized it like this:

from functools                 import partial

class <Form-name>(...):

    def __init__(self, ...):
        ...
        super(<Form-name>, self).__init__(*args, **kwargs)
        ...
        for i, (fname, field) in enumerate(self.fields.iteritems()):
            if fname in self.readonly_fields:
                field.widget.attrs['readonly'] = "readonly"
                field.required = False
                # set clean method to reset value back
                clean_method_name = "clean_%s" % fname
                assert clean_method_name not in dir(self)
                setattr(self, clean_method_name, partial(self._clean_for_readonly_field, fname=fname))

    def _clean_for_readonly_field(self, fname):
        """ will reset value to initial - nothing will be changed 
            needs to be added dynamically - partial, see init_fields
        """
        return self.initial[fname] # or getattr(self.instance, fieldname)
Robert Lujo
  • 15,383
  • 5
  • 56
  • 73
3

Today I encountered the exact same problem for a similar use case. However, I had to deal with a class-based views. Class-based views allow inheriting attributes and methods thus making it easier to reuse code in a neat manner.

I will answer your question by discussing the code needed for creating a profile page for users. On this page, they can update their personal information. However, I wanted to show an email field without allowing the user to change the information.

Yes, I could have just left out the email field but my OCD would not allow it.

In the example below I used a form class in combination with the disabled = True method. This code is tested on Django==2.2.7.


# form class in forms.py

# Alter import User if you have created your own User class with Django default as abstract class.
from .models import User 
# from django.contrib.auth.models import User

# Same goes for these forms.
from django.contrib.auth.forms import UserCreationForm, UserChangeForm


class ProfileChangeForm(UserChangeForm):

    class Meta(UserCreationForm)
        model = User
        fields = ['first_name', 'last_name', 'email',]

    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self.fields['email'].disabled = True

As one can see, the needed user fields are specified. These are the fields that must be shown on the profile page. If other fields need to be added one has to specify them in the User class and add the attribute name to the fields list of the Meta class of this form.

After getting the required metadata the __init__ method is called initializing the form. However, within this method, the email field parameter 'disabled' is set to True. By doing so the behavior of the field in the front-end is altered resulting in a read-only field that one cannot edit even if one changes the HTML code. Reference Field.disabled

For completion, in the example below one can see the class-based views needed to use the form.


# view class in views.py

from django.contrib import messages
from django.contrib.messages.views import SuccessMessageMixin
from django.contrib.auth.mixins import LoginRequiredMixin
from django.views.generic import TemplateView, UpdateView
from django.utils.translation import gettext_lazy as _


class ProfileView(LoginRequiredMixin, TemplateView):
    template_name = 'app_name/profile.html'
    model = User


   def get_context_data(self, **kwargs):
      context = super().get_context_data(**kwargs)
      context.update({'user': self.request.user, })
      return context


class UserUpdateView(LoginRequiredMixin, SuccessMessageMixin, UpdateView):
    template_name = 'app_name/update_profile.html'
    model = User
    form_class = ProfileChangeForm
    success_message = _("Successfully updated your personal information")


    def get_success_url(self):
        # Please note, one has to specify a get_absolute_url() in the User class
        # In my case I return:  reverse("app_name:profile")
        return self.request.user.get_absolute_url()


    def get_object(self, **kwargs):
        return self.request.user


    def form_valid(self, form):
        messages.add_message(self.request, messages.INFO, _("Successfully updated your profile"))
        return super().form_valid(form)


The ProfileView class only shows an HTML page with some information about the user. Furthermore, it holds a button that if pressed leads to an HTML page configured by the UserUpdateView, namely 'app_name/update_profile.html'. As one can see, the UserUpdateView holds two extra attributes, namely 'form_class' and 'success_message'.

The view knows that every field on the page must be filled with data from the User model. However, by introducing the 'form_class' attribute the view does not get the default layout of the User fields. Instead, it is redirected to retrieve the fields through the form class. This has a huge advantage in the sense of flexibility.

By using form classes it is possible to show different fields with different restrictions for different users. If one sets the restrictions within the model itself every user would get the same treatment.

The template itself is not that spectacular but can be seen below.


# HTML template in 'templates/app_name/update_profile.html' 

{% extends "base.html" %}
{% load static %}
{% load crispy_form_tags %}


{% block content %}


<h1>
    Update your personal information
<h1/>
<div>
    <form class="form-horizontal" method="post" action="{% url 'app_name:update' %}">
        {% csrf_token %} 
        {{ form|crispy }}
        <div class="btn-group">
            <button type="submit" class="btn btn-primary">
                Update
            </button>
        </div>
</div>


{% endblock %}

As can be seen, the form tag holds an action attribute that holds the view URL routing. After pressing the Update button the UserUpdateView gets activated and it validates if all conditions are met. If so, the form_valid method is triggered and adds a success message. After successfully updating the data the user is returned to the specified URL in the get_success_url method.

Below one can find the code allowing the URL routing for the views.

# URL routing for views in urls.py

from django.urls import path
from . import views

app_name = 'app_name'

urlpatterns = [
    path('profile/', view=views.ProfileView.as_view(), name='profile'),
    path('update/', view=views.UserUpdateView.as_view(), name='update'),
    ]

There you have it. A fully worked out implementation of class-based views using form so one can alter an email field to be read-only and disabled.

My apologies for the extremely detailed example. There might be more efficient ways to design the class-based views, but this should work. Of course, I might have been wrong about some things said. I'm still learning as well. If anyone has any comments or improvements let me know!

2

Here is a slightly more involved version, based on christophe31's answer. It does not rely on the "readonly" attribute. This makes its problems, like select boxes still being changeable and datapickers still popping up, go away.

Instead, it wraps the form fields widget in a readonly widget, thus making the form still validate. The content of the original widget is displayed inside <span class="hidden"></span> tags. If the widget has a render_readonly() method it uses that as the visible text, otherwise it parses the HTML of the original widget and tries to guess the best representation.

import django.forms.widgets as f
import xml.etree.ElementTree as etree
from django.utils.safestring import mark_safe

def make_readonly(form):
    """
    Makes all fields on the form readonly and prevents it from POST hacks.
    """

    def _get_cleaner(_form, field):
        def clean_field():
            return getattr(_form.instance, field, None)
        return clean_field

    for field_name in form.fields.keys():
        form.fields[field_name].widget = ReadOnlyWidget(
            initial_widget=form.fields[field_name].widget)
        setattr(form, "clean_" + field_name, 
                _get_cleaner(form, field_name))

    form.is_readonly = True

class ReadOnlyWidget(f.Select):
    """
    Renders the content of the initial widget in a hidden <span>. If the
    initial widget has a ``render_readonly()`` method it uses that as display
    text, otherwise it tries to guess by parsing the html of the initial widget.
    """

    def __init__(self, initial_widget, *args, **kwargs):
        self.initial_widget = initial_widget
        super(ReadOnlyWidget, self).__init__(*args, **kwargs)

    def render(self, *args, **kwargs):
        def guess_readonly_text(original_content):
            root = etree.fromstring("<span>%s</span>" % original_content)

            for element in root:
                if element.tag == 'input':
                    return element.get('value')

                if element.tag == 'select':
                    for option in element:
                        if option.get('selected'):
                            return option.text

                if element.tag == 'textarea':
                    return element.text

            return "N/A"

        original_content = self.initial_widget.render(*args, **kwargs)
        try:
            readonly_text = self.initial_widget.render_readonly(*args, **kwargs)
        except AttributeError:
            readonly_text = guess_readonly_text(original_content)

        return mark_safe("""<span class="hidden">%s</span>%s""" % (
            original_content, readonly_text))

# Usage example 1.
self.fields['my_field'].widget = ReadOnlyWidget(self.fields['my_field'].widget)

# Usage example 2.
form = MyForm()
make_readonly(form)
Rune Kaagaard
  • 6,643
  • 2
  • 38
  • 29
2

You can do it just like this:

  1. Check if the request is update or save a new object.
  2. If request is update then disable field sku.
  3. If request is to add a new object then you must render the form with out disabling the field sku.

Here is an example of how to do like this.

class Item(models.Model):
    sku = models.CharField(max_length=50)
    description = models.CharField(max_length=200)
    added_by = models.ForeignKey(User)


class ItemForm(ModelForm):
    def disable_sku_field(self):
        elf.fields['sku'].widget.attrs['readonly'] = True

    class Meta:
        model = Item
        exclude = ('added_by')

def new_item_view(request):
    if request.method == 'POST':
        form = ItemForm(request.POST)
        # Just create an object or instance of the form.
        # Validate and save
    else:
            form = ItemForm()
    # Render the view

def update_item_view(request):
    if request.method == 'POST':
        form = ItemForm(request.POST)
        # Just create an object or instance of the form.
        # Validate and save
    else:
        form = ItemForm()
        form.disable_sku_field() # call the method that will disable field.

    # Render the view with the form that will have the `sku` field disabled on it.

Dhia Shalabi
  • 1,332
  • 1
  • 13
  • 29
1

Is this the simplest way?

Right in a view code something like this:

def resume_edit(request, r_id):
    .....    
    r = Resume.get.object(pk=r_id)
    resume = ResumeModelForm(instance=r)
    .....
    resume.fields['email'].widget.attrs['readonly'] = True 
    .....
    return render(request, 'resumes/resume.html', context)

It works fine!

Jonas Kölker
  • 7,680
  • 3
  • 44
  • 51
fly_frog
  • 11
  • 1
1

If you are working with Django ver < 1.9 (the 1.9 has added Field.disabled attribute) you could try to add following decorator to your form __init__ method:

def bound_data_readonly(_, initial):
    return initial


def to_python_readonly(field):
    native_to_python = field.to_python

    def to_python_filed(_):
        return native_to_python(field.initial)

    return to_python_filed


def disable_read_only_fields(init_method):

    def init_wrapper(*args, **kwargs):
        self = args[0]
        init_method(*args, **kwargs)
        for field in self.fields.values():
            if field.widget.attrs.get('readonly', None):
                field.widget.attrs['disabled'] = True
                setattr(field, 'bound_data', bound_data_readonly)
                setattr(field, 'to_python', to_python_readonly(field))

    return init_wrapper


class YourForm(forms.ModelForm):

    @disable_read_only_fields
    def __init__(self, *args, **kwargs):
        ...

The main idea is that if field is readonly you don't need any other value except initial.

P.S: Don't forget to set yuor_form_field.widget.attrs['readonly'] = True

1

Start from disable fields mixin:

class ModelAllDisabledFormMixin(forms.ModelForm):
    def __init__(self, *args, **kwargs):
    '''
    This mixin to ModelForm disables all fields. Useful to have detail view based on model
    '''
    super().__init__(*args, **kwargs)
    form_fields = self.fields
    for key in form_fields.keys():
        form_fields[key].disabled = True

then:

class MyModelAllDisabledForm(ModelAllDisabledFormMixin, forms.ModelForm):
    class Meta:
        model = MyModel
        fields = '__all__'

prepare view:

class MyModelDetailView(LoginRequiredMixin, UpdateView):
    model = MyModel
    template_name = 'my_model_detail.html'
    form_class = MyModelAllDisabledForm

place this in my_model_detail.html template:

  <div class="form">
     <form method="POST" enctype="multipart/form-data">
         {% csrf_token %}
         {{ form | crispy }}
     </form>
  </div>

You will obtain same form as in update view but with all fields disabled.

paeduardo
  • 99
  • 2
  • 4
1

Based on the answer from @paeduardo (which is overkill), you can disable a field in the form class initializer:

class RecordForm(ModelForm):

     def __init__(self, *args, **kwargs):
            super().__init__(*args, **kwargs)
            var = self.fields['the_field']
            var.disabled = True
Conor
  • 327
  • 6
  • 15
0

If you are using Django admin, here is the simplest solution.

class ReadonlyFieldsMixin(object):
    def get_readonly_fields(self, request, obj=None):
        if obj:
            return super(ReadonlyFieldsMixin, self).get_readonly_fields(request, obj)
        else:
            return tuple()

class MyAdmin(ReadonlyFieldsMixin, ModelAdmin):
    readonly_fields = ('sku',)
utapyngo
  • 6,946
  • 3
  • 44
  • 65
0

I think your best option would just be to include the readonly attribute in your template rendered in a <span> or <p> rather than include it in the form if it's readonly.

Forms are for collecting data, not displaying it. That being said, the options to display in a readonly widget and scrub POST data are fine solutions.

Peter Mortensen
  • 30,738
  • 21
  • 105
  • 131
austinheiman
  • 939
  • 1
  • 12
  • 17