Using Django Check Constraints to Ensure Only One Field Is Set

Spot the odd puppy out

I previously covered using Django’s CheckConstraint class to validate fields with choices and percentage fields that total 100%. Here’s another use case.

A project I was working on recently stores “scores” which may have a single typed value: an integer, or a decimal, or a duration. Because they have different types, they are stored in separate columns in the database. Therefore, for a single score, only one of these columns may be filled in (not null).

You could solve this by using model inheritance. The downside of this is that using either concrete or abstract inheritance, you’d need multiple tables. This is also a lot of work for a single differing field.

Instead of this, we settled on a single model approach with multiple value columns, only one of which should be set. The model looks something like this:

from django.db import models


class ScoreType(models.IntegerChoices):
    POINTS = 1, "Points"
    DURATION = 2, "Duration"


class Score(models.Model):
    type = models.IntegerField(choices=ScoreType.choices)
    value_points = models.IntegerField()
    value_duration = models.DurationField()

(IntegerChoices is one of Django 3.0’s new enumeration types.)

If type is ScoreType.POINTS, the value_points column should be set. And likewise, if the type is ScoreType.DURATION, the value_duration column should be set.

However confident you are in our Python code satisfying this constraint, unless you make the database enforce it, a single bug could break the assumption. For example you could accidentally write a query like:

Score.objects.update(value_points=1, value_duration=dt.timedelta(1))

(Importing datetime as dt.)

Such bad data could have all kinds of unintended consequences. If you discover such bad data has been created for some time, it might take a long time to unravel. Best to prevent it early on if you can!

To do this, you can add a CheckConstraint to enforce that the filled-in value column matches the type. It would look this:

from django.db import models


class ScoreType(models.IntegerChoices):
    POINTS = 1, "Points"
    DURATION = 2, "Duration"


class Score(models.Model):
    type = models.IntegerField(choices=ScoreType.choices)
    value_points = models.IntegerField(null=True)
    value_duration = models.DurationField(null=True)

    class Meta:
        constraints = [
            models.CheckConstraint(
                name="%(app_label)s_%(class)s_value_matches_type",
                check=(
                    models.Q(
                        type=ScoreType.POINTS,
                        value_points__isnull=False,
                        value_duration__isnull=True,
                    )
                    | models.Q(
                        type=ScoreType.DURATION,
                        value_points__isnull=True,
                        value_duration__isnull=False,
                    )
                ),
            )
        ]

The constraint is defined with Q objects, which take the same arguments as filter(), to restrict the cases. Here we essentially list the two valid cases, and OR them together with Python’s bitwise OR operator |. Q can’t use the normal or operator for this because of limitations in Python.

After makemigrations and applying this migration, you can test the constraint out. You can create legitimate Score instances just fine:

In [3]: Score.objects.create(type=ScoreType.POINTS, value_points=1337)
Out[3]: <Score: Score object (1)>

In [4]: Score.objects.create(type=ScoreType.DURATION, value_duration=dt.timedelta(seconds=1234))
Out[4]: <Score: Score object (2)>

But if you try save bad data, you will get an IntegrityError:

In [5]: Score.objects.create(type=ScoreType.POINTS, value_points=1337, value_duration=dt.timedelta(seconds=1234))
...
IntegrityError: CHECK constraint failed: score_value_matches_type

This works great.

You can also combine this with proxy models to split Scores based on type. I haven’t played around with this fully but it looks like a viable alternative to multi-table inheritance. You could even add a helper to generate classes automatically.

You can make a simple “Points” implementation without any automatic generation like this:

class PointsScoreManager(models.Manager):
    def get_queryset(self):
        return super().get_queryset().filter(type=ScoreType.POINTS)


class PointsScore(Score):
    objects = PointsScoreManager()

    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self.type = ScoreType.POINTS

    class Meta:
        proxy = True

The DURATION implementation just needs a little copy-paste-replace.

This uses a custom manager to only returns instances of the right type. And it also overrides __init__ to force the type. I’m sure there are some other overrides to add to make this a smooth experience, but you get the idea.

Fin

For the source code of the example project used in this post, including a bonus auto-generation of the check constraint, see it here on GitHub.

I hope this post helps you further your CheckConstraint applications,

—Adam


Read my book Boost Your Git DX to Git better.


Subscribe via RSS, Twitter, Mastodon, or email:

One summary email a week, no spam, I pinky promise.

Related posts:

Tags: