Can a Car
have multiple color
s? In that case color
ought to be a many to many relationship rather than a CharField
. If on the other hand you want to do something like Unix permissions (i.e. Red + Blue, Red + Blue + Green etc.) then assign numeric values of to each of them and make color
an integer field.
Update
(After reading comment) You can use a custom form to edit your model in Admin instead of the default ModelForm
. This custom form can use a multiple choice widget that lets users select multiple colors. You can then override the clean()
method of the form to return a suitably concatenated value ('RB' etc.).
Update 2
Here is some code:
First, remove the choices from the model field. Also increase its maximum size to 2. We don't want choices here - if we do, then we'll have to add a choice for each combination of colors.
class Car(models.Model):
...
color= models.CharField(max_length=2)
Second add a custom ModelForm
to use in admin app. This form will override color and instead declare it as a multiple choice field. We do need choices here.
COLORS= (
('R', 'Red'),
('B', 'Yellow'),
('G', 'White'),
)
class CarAdminForm(ModelForm):
color = forms.MultipleChoiceField(choices = COLORS)
class Meta:
model = Car
def clean_color(self):
color = self.cleaned_data['color']
if not color:
raise forms.ValidationError("...")
if len(color) > 2:
raise forms.ValidationError("...")
color = ''.join(color)
return color
Note that I have added only a couple of validations. You may want more and/or customize the validations.
Finally, register this form with admin. Inside your admin.py
:
class CarAdmin(admin.ModelAdmin):
form = CarAdminForm
admin.site.register(Car, CarAdmin)