Django使用站点地图的正常方式是:
from django.contrib.sitemaps import Sitemap
from schools.models import School
class SchoolSitemap(Sitemap):
changefreq = "weekly"
priority = 0.6
def items(self):
return School.objects.filter(status = 2)
然后在学校模式中,我们定义:
def get_absolute_url(self):
return reverse('schools:school_about', kwargs={'school_id': self.pk})
在这种实现中,我在sitemap.xml中有一个关于一所学校的链接。
问题是,我的学校有多个页面:关于、教师、学生和其他人,我希望所有的页面都呈现为sitemap.xml。
最好的方法是什么?
最佳答案
您可以使用以下事实:
import itertools
class SchoolSitemap(Sitemap):
# List method names from your objects that return the absolute URLs here
FIELDS = ("get_absolute_url", "get_about_url", "get_teachers_url")
changefreq = "weekly"
priority = 0.6
def items(self):
# This will return you all possible ("method_name", object) tuples instead of the
# objects from the query set. The documentation says that this should be a list
# rather than an iterator, hence the list() wrapper.
return list(itertools.product(SchoolSitemap.FIELDS,
School.objects.filter(status = 2)))
def location(self, item):
# Call method_name on the object and return its output
return getattr(item[1], item[0])()
如果字段的数量和名称不是预先确定的,我将采用一种完全动态的方法:允许模型具有一个返回绝对URL列表的
items
方法,并使用执行此方法的Sitemap
方法。也就是说,在最简单的情况下,您不需要访问priority/changefreq/lastmod方法中的对象:class SchoolSitemap(Sitemap):
changefreq = "weekly"
priority = 0.6
def items(self):
return list(
itertools.chain.from_iterable(( object.get_sitemap_urls()
for object in
School.objects.filter(status = 2)))
)
def location(self, item):
return item
关于python - 站点地图和具有多个网址的对象,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42186863/