Disclaimer: I can wipe out the database anytime. So while answering this, please don’t care about migrations and stuff.
Imagine me having a model with multiple values:
JavaScript
x
7
1
class Compound(models.Model):
2
color = models.CharField(max_length=20, blank=True, default="")
3
brand = models.CharField(max_length=200, blank=True, default="")
4
temperature = models.FloatField(null=True, blank=True)
5
melting_temp = models.FloatField(null=True, blank=True)
6
# more (~20) especially numeric values as model fields
7
Now I want to add a comment to be stored for every value of that model. For example I want to add a comment “measured in winter” to the temperature
model field.
What is the best approach to do that?
My brainstorming came up with:
- By hand add 20 more model fields like
temperature_comment = ...
but that sounds not very DRY - Add one big json field which stores every comment. But how do I create a Form with such a json field? Because I want to separate each input field for related value. I would probably have to use javascript which I would want to avoid.
- Add a model called
Value
for every value and connect them toCompound
viaOneToOneField
s. But how do I then create a Form forCompound
? Because I want to create aCompound
utilizing one form. I do not want to create everyValue
on its own. Also it is not as easy as before, to access and play around with the values inside theCompound
model.
I guess this is a fairly abstract question for a usecase that comes up quite often. I do not know why I did not find resources on how to accomplish that.
Advertisement
Answer
The Pythonic way is to use a metaclass:
JavaScript
1
12
12
1
class CommentModelMeta(models.base.ModelBase):
2
def __new__(mcs, name, bases, attrs, **kwargs):
3
for attr_name, attr in list(attrs.items()):
4
if isinstance(attr, models.Field):
5
attrs[f'{attr_name}_comment'] = models.CharField(max_length=20, blank=True, default="")
6
return super().__new__(mcs, name, bases, attrs, **kwargs)
7
8
9
class Compound(models.Model, metaclass=CommentModelMeta):
10
color = models.CharField(max_length=20, blank=True, default="")
11
12
If you need code completion, you can use type hints:
JavaScript
1
10
10
1
class Compound(models.Model, metaclass=CommentModelMeta):
2
color = models.CharField(max_length=20, blank=True, default="")
3
brand = models.CharField(max_length=200, blank=True, default="")
4
temperature = models.FloatField(null=True, blank=True)
5
melting_temp = models.FloatField(null=True, blank=True)
6
# more (~20) especially numeric values as model fields
7
8
color_comment: models.CharField
9
temperature_comment: models.CharField
10