Question
Want to improve this post? Provide detailed answers to this question, including citations and an explanation of why your answer is correct. Answers without enough detail may be edited or deleted.
When we add a model field in Django we generally write:
models.CharField(max_length=100, null=True, blank=True)
The same is done with ForeignKey
, DecimalField
etc. What is the basic
difference between:
null=True
onlyblank=True
onlynull=True
andblank=True
in respect to different (CharField
, ForeignKey
, ManyToManyField
,
DateTimeField
) fields? What are the advantages/disadvantages of using option
1, 2, or 3?
Answer
null=True
sets NULL
(versus NOT NULL
) on the column in your DB. Blank
values for Django field types such as DateTimeField
or ForeignKey
will be
stored as NULL
in the DB.
blank
determines whether the field will be required in forms. This includes
the admin and your custom forms. If blank=True
then the field will not be
required, whereas if it's False
the field cannot be blank.
The combo of the two is so frequent because typically if you're going to allow
a field to be blank in your form, you're going to also need your database to
allow NULL
values for that field. The exception is CharField
s and
TextField
s, which in Django are never saved as NULL
. Blank values are
stored in the DB as an empty string (''
).
A few examples:
models.DateTimeField(blank=True) # raises IntegrityError if blank
models.DateTimeField(null=True) # NULL allowed, but must be filled out in a form
Obviously, Those two options don't make logical sense to use (though there
might be a use case for null=True, blank=False
if you want a field to always
be required in forms, optional when dealing with an object through something
like the shell.)
models.CharField(blank=True) # No problem, blank is stored as ''
models.CharField(null=True) # NULL allowed, but will never be set as NULL
CHAR
and TEXT
types are never saved as NULL
by Django, so null=True
is
unnecessary. However, you can manually set one of these fields to None
to
force set it as NULL
. If you have a scenario where that might be necessary,
you should still include null=True
.