Django ORM supports three types of relationships: - One-to-One (OneToOneField): Each instance of a model is related to one instance of another model. - Many-to-One (ForeignKey): Many instances of a model are related to one instance of another model. - Many-to-Many (ManyToManyField): Many instances of a model are related to many instances of another model.
class Author(models.Model): name = models.CharField(max_length=100)class Book(models.Model): title = models.CharField(max_length=100) author = models.ForeignKey(Author, on_delete=models.CASCADE)
Field Options
Field options allow you to specify constraints and attributes for model fields.
max_length: Maximum length of the field (for CharField and TextField).
default: Default value for the field.
null: If True, Django will store empty values as NULL in the database.
blank: If True, the field is allowed to be blank.
choices: A list of valid choices for this field.
unique: If True, this field must be unique throughout the table.
Model Methods
You can add methods to your model to encapsulate business logic or utility functions.
class Book(models.Model): title = models.CharField(max_length=100)def__str__(self):returnself.titledef get_absolute_url(self):returnf"/books/{self.id}/"
Custom Managers and QuerySets
Custom managers and querysets allow you to define reusable query logic.
class BookManager(models.Manager):def published(self):returnself.filter(published=True)class Book(models.Model): title = models.CharField(max_length=100) published = models.BooleanField(default=False) objects = BookManager()
Model Inheritance
Django supports model inheritance, allowing you to reuse common fields and methods.
Abstract Base Classes: Used when you want to put some common information into a base class.
Multi-table Inheritance: Each model in the hierarchy gets its own database table.
Proxy Models: Used to modify the Python-level behavior without changing the modelβs fields.
class CommonInfo(models.Model): name = models.CharField(max_length=100) created_at = models.DateTimeField(auto_now_add=True)class Meta: abstract =Trueclass Student(CommonInfo): grade = models.CharField(max_length=2)
Signals
Signals allow decoupled applications to get notified when certain actions occur (e.g., a model instance is saved or deleted).
You can define custom validation logic within your model.
class Book(models.Model): title = models.CharField(max_length=100) publication_date = models.DateField()def clean(self):ifself.publication_date > datetime.date.today():raise ValidationError('Publication date cannot be in the future.')