2005-07-29 15:15:40 +00:00
|
|
|
"""
|
2014-09-24 05:13:13 +00:00
|
|
|
Specifying ordering
|
2005-07-29 15:15:40 +00:00
|
|
|
|
|
|
|
Specify default ordering for a model using the ``ordering`` attribute, which
|
2008-02-15 11:38:53 +00:00
|
|
|
should be a list or tuple of field names. This tells Django how to order
|
2008-08-12 14:15:38 +00:00
|
|
|
``QuerySet`` results.
|
2005-07-29 15:15:40 +00:00
|
|
|
|
|
|
|
If a field name in ``ordering`` starts with a hyphen, that field will be
|
|
|
|
ordered in descending order. Otherwise, it'll be ordered in ascending order.
|
|
|
|
The special-case field name ``"?"`` specifies random order.
|
|
|
|
|
|
|
|
The ordering attribute is not required. If you leave it off, ordering will be
|
|
|
|
undefined -- not random, just undefined.
|
|
|
|
"""
|
|
|
|
|
2006-05-02 01:31:56 +00:00
|
|
|
from django.db import models
|
2005-07-29 15:15:40 +00:00
|
|
|
|
2010-10-11 18:17:37 +00:00
|
|
|
|
2014-04-26 07:34:20 +00:00
|
|
|
class Author(models.Model):
|
2016-07-27 13:17:05 +00:00
|
|
|
name = models.CharField(max_length=63, null=True, blank=True)
|
|
|
|
|
2006-05-02 01:31:56 +00:00
|
|
|
class Meta:
|
2014-04-26 07:34:20 +00:00
|
|
|
ordering = ('-pk',)
|
2012-02-04 19:56:40 +00:00
|
|
|
|
2013-11-02 21:34:05 +00:00
|
|
|
|
2014-04-26 07:34:20 +00:00
|
|
|
class Article(models.Model):
|
2015-07-22 14:43:21 +00:00
|
|
|
author = models.ForeignKey(Author, models.SET_NULL, null=True)
|
2016-03-18 14:24:29 +00:00
|
|
|
second_author = models.ForeignKey(Author, models.SET_NULL, null=True, related_name='+')
|
2012-02-04 19:56:40 +00:00
|
|
|
headline = models.CharField(max_length=100)
|
|
|
|
pub_date = models.DateTimeField()
|
2013-10-22 10:21:07 +00:00
|
|
|
|
2012-02-04 19:56:40 +00:00
|
|
|
class Meta:
|
2019-05-17 07:30:57 +00:00
|
|
|
ordering = (
|
|
|
|
'-pub_date',
|
2019-07-11 11:40:36 +00:00
|
|
|
models.F('headline'),
|
2019-05-17 07:30:57 +00:00
|
|
|
models.F('author__name').asc(),
|
2019-08-20 07:54:41 +00:00
|
|
|
models.OrderBy(models.F('second_author__name')),
|
2019-05-17 07:30:57 +00:00
|
|
|
)
|
2012-02-04 19:56:40 +00:00
|
|
|
|
2012-08-12 10:32:08 +00:00
|
|
|
def __str__(self):
|
2012-02-04 19:56:40 +00:00
|
|
|
return self.headline
|
2015-04-19 06:06:17 +00:00
|
|
|
|
|
|
|
|
|
|
|
class OrderedByAuthorArticle(Article):
|
|
|
|
class Meta:
|
|
|
|
proxy = True
|
|
|
|
ordering = ('author', 'second_author')
|
|
|
|
|
|
|
|
|
2017-06-25 18:17:13 +00:00
|
|
|
class OrderedByFArticle(Article):
|
|
|
|
class Meta:
|
|
|
|
proxy = True
|
|
|
|
ordering = (models.F('author').asc(nulls_first=True), 'id')
|
|
|
|
|
|
|
|
|
2019-07-10 18:02:51 +00:00
|
|
|
class ChildArticle(Article):
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
2015-04-19 06:06:17 +00:00
|
|
|
class Reference(models.Model):
|
2015-07-22 14:43:21 +00:00
|
|
|
article = models.ForeignKey(OrderedByAuthorArticle, models.CASCADE)
|
2015-04-19 06:06:17 +00:00
|
|
|
|
|
|
|
class Meta:
|
|
|
|
ordering = ('article',)
|