suprita shankar
suprita shankar

Reputation: 1579

Django JSONField to have particular keys

My class looks like this:

class Foo(models.Model):
  known_by = JSONField()

My data looks like this

{ "known_by" : [
                {'by':'name1', 'value':['def']},
                {'by':'name2', 'value':['bar']}
               ]
}

Is there any way for me to enforce that the Jsonfield needs to follow the format of by,value[] dict. I know how to do this using serialiazers

Any other cleaner way to enforce this(in the model definition itself)? Thanks

Upvotes: 6

Views: 3076

Answers (3)

Morifen
Morifen

Reputation: 126

Why not just override the save method to do the enforcement?

class Foo(models.Model):
    known_by = JSONField()

    def save(self, *args, **kwargs):
        # begin validation code

        # end validation code
        if valid:
            super(Model, self).save(*args, **kwargs)
        else:
            # something else, maybe http error code?

Upvotes: 0

Joaquin
Joaquin

Reputation: 81

You can add a validator to the model field, like this:

 class Foo(models.Model):
     known_by = ArrayField(JSONField(max_length=100), size=4, validators=[a_json_array_validator])

And the validator is:

def a_json_array_validator(value):
    if any([not is_json_valid(entry) for entry in value]):
        raise ValidationError(
            _('%(value) is not a valid json'),
            params={'value': value},
         )

(The actual json validation is up to you) ;-) Note that validators receive python objects so its actually a dict.

Upvotes: 4

raiderrobert
raiderrobert

Reputation: 693

You could implement it this way:

from django.db import models

class Bar(models.Model):
    by = models.CharField()
    value = models.ArrayField()


class Foo(models.Model):
    known_by = models.ForeignKey(Bar, on_delete=models.CASCADE)

Upvotes: 1

Related Questions