我的网站,主页,博客索引和特定博客中有3个主要部分。我在wagtail中使用streamfield函数来命令主页中的各个部分。其中一个部分是最新的三篇博文。
我已经为博客索引页面做了这个,但无法获取流域中的最新博客文章。
我的模型看起来像这样
class CaseStudiesIndex(Page):
def casestudies(pages):
casestudies = CaseStudyPage.objects.all().order_by('-first_published_at')
return casestudies
intro = RichTextField(blank=True)
content_panels = Page.content_panels + [
FieldPanel('intro', classname="full")
]
class LatestPosts(blocks.StructBlock):
static = blocks.StaticBlock(admin_text='Latest posts: no configuration needed.',)
def casestudies(pages):
casestudies = CaseStudyPage.objects.all().order_by('-first_published_at')[:3]
return casestudies
class Meta:
icon = 'doc-full'
label = 'Latest Posts'
template = 'blocks/_latestPosts.html'
class HomePage(Page):
blocksbody = StreamField([
('lead_banner', LeadBanner()),
('latest_posts', LatestPosts()),
('team', Team())
],null=True,blank=True)
content_panels = Page.content_panels + [
StreamFieldPanel('blocksbody'),
]
在我的块文件夹中,我调用文件很好,它使包装器很好但我无法获取任何数据,我尝试了很多方法,但没有任何回报。
{% load wagtailcore_tags wagtailimages_tags %}
{% load static %}
<section>
<div class="wrapper__inner">
<ul>
{% for case in self.casestudies %}
{{case.title}}
{% endfor %}
{% for case in self.case_studies %}
{{case.title}}
{% endfor %}
{% for case in self.latest_posts %}
{{case.title}}
{% endfor %}
{% for case in page.casestudies %}
{{case.title}}
{% endfor %}
{% for case in page.case_studies %}
{{case.title}}
{% endfor %}
{% for case in page.latest_posts %}
{{case.title}}
{% endfor %}
</ul>
</div>
</section>
对于可行的博客索引页面,我执行以下操作。
{% extends "inner_base.html" %}
{% load wagtailcore_tags %}
{% block body_class %}template-case-studies{% endblock %}
{% block content %}
<section>
<div class="wrapper__inner">
<h1>{{self.title}}</h1>
<ul>
{% include "blocks/CaseStudiesLatestBlock.html" %}
</ul>
</div>
</section>
{% endblock %}
CaseStudiesLatestBlock.html工作得很好看起来像
{% load wagtailcore_tags wagtailimages_tags %}
{% load static %}
{% for case in self.casestudies %}
<li>
<strong>{{ case.title }}</strong>
</li>
{% endfor %}
答案 0 :(得分:1)
在StructBlock
工作中定义自己的方法 - 您在模板上收到的self
(或value
)变量只是一个简单的字典,而不是StructBlock对象本身。 (这可能看似违反直觉,但它与块的工作方式一致:正如CharBlock
为您提供了一个字符串值,而不是CharBlock
实例,{{ 1}}给你一个dict而不是StructBlock
实例。)
相反,您可以定义StructBlock
方法(as documented here)以向模板提供其他变量:
get_context
然后,您可以访问模板中的class LatestPosts(blocks.StructBlock):
static = blocks.StaticBlock(admin_text='Latest posts: no configuration needed.',)
def get_context(self, value, parent_context=None):
context = super(LatestPosts, self).get_context(value, parent_context=parent_context)
context['casestudies'] = CaseStudyPage.objects.all().order_by('-first_published_at')[:3]
return context
变量,例如casestudies
。