objects是检索数据库中所有对象的每个模型的默认管理器。然而,也可以为我们的模型定义自定义管理器。
比如创建一个自定义管理器来检索具有发布状态的所有帖子。关于blog的模型,可以参考
📌使用Post.published.all()替代Post.objects.filter(publish='published')
python
class PublishedManager(models.Manager):
def get_queryset(self):
return super(PublishedManager,self).get_queryset().filter(status='published')
class Post(models.Model):
...
objects = models.Manager()
published = PublishedManager()
...
管理器的get_queryset()方法返回将要执行的QuerySet。重写此方法,以便在最终的QuerySet中包含自定义过滤器。
下面用通用视图创建blog列表。关于通用视图,更多内容请看
python
...
from django.views.generic import ListView
from .models import Post
class PostListView(ListView):
queryset = Post.published.all()
context_object_name = "posts"
paginate_by = 3
template_name = "blog/post/list.html"
添加URL路径
python
from django.urls import path
from . import views
app_name = "blog"
urlpatterns = [
path("", views.PostListView.as_view(), name="post_list"),
]