2

我正在尝试创建一个自定义管理器来检索具有已发布状态的所有帖子。经理新手!!提前谢谢你<3。

模型.py


class PublishedManager(models.Model):
    def get_query_set(self):
        return super(PublishedManager, self).get_query_set().filter(status='published')


class Post(models.Model):
    STATUS_CHOICES = (
        ('draft', 'Draft'),
        ('published', 'Published'),
    )
    title = models.CharField(max_length=255)
    slug = models.SlugField(max_length=255, unique_for_date='publish')
    author = models.ForeignKey(
        User, on_delete=models.CASCADE, related_name='blog_posts')
    body = models.TextField()
    publish = models.DateTimeField(default=timezone.now)
    created = models.DateTimeField(auto_now_add=True)
    updated = models.DateTimeField(auto_now=True)
    status = models.CharField(
        max_length=10, choices=STATUS_CHOICES, default='draft')
    objects = models.Manager()
    published = PublishedManager()

    class Meta:
        ordering = ('-publish',)

    def __str__(self):
        return self.title

    def get_absolute_url(self):
        return reverse('blog:post_detail', args=[self.publish.year, self.publish.month, self.publish.day, self.slug])

视图.py

def post_list(request):
    posts = Post.published.all()
    print(posts)
    return render(request, 'post/list.html', {'posts': posts})


def post_detail(request):
    post = get_object_or_404(Post, slug=post, status='published',
                             publish__year=year, publish__month=month, publish__day=day)

    return render(request, 'post/detail.html', {'post': post})

错误

'PublishedManager' 对象没有属性 'all' (views.py,第 6 行,在 post_list 中)

4

2 回答 2

3

您应该Manager用作经理的基类,而不是Model. 并且方法名称应该get_queryset代替get_query_set

class PublishedManager(models.Manager):
    def get_queryset(self):
        return super(PublishedManager, self).get_queryset().filter(status='published')

您可以在文档中找到更多详细信息。

于 2021-08-11T12:37:11.093 回答
3

PublishManager应该是一个Manager,而不是一个Model。此外,覆盖的方法是get_queryset,不是get_query_set

#                  use Manager ↓
class PublishedManager(models.Manager):

    # not get_query_set ↓
    def get_queryset(self):
        return super().get_queryset().filter(status='published')

在视图中,您可能希望使用published管理器来防止重复相同的逻辑,因此:

def post_detail(request):
    post = get_object_or_404(
        Post.published.all(),
        slug=post, status='published', publish__year=year,
        publish__month=month, publish__day=day
    )

    return render(request, 'post/detail.html', {'post': post})
于 2021-08-11T12:37:50.080 回答