拥有一个自定义标签可能可以解决这个问题,但是它可能会变得有点复杂,因为这样就有可能在一个模板中拥有一个完整的模板,因为没有什么限制你将所有模板保存在 db 中(可能包括其他模板标签)。我认为最简单的解决方案是从数据库手动渲染模板字符串,然后将其作为变量传递给主模板。
from django.template import Template, Context
...
context = {
    'current_city': 'London'
}
db_template = Template('the current city is: {{current_city}}') # get from db
context['content'] = db_template.render(Context(context))
return render_template(request, 'about_me.html', context)
笔记:
如果您确实遵循这条路,这可能不是很有效,因为每次执行视图时,都必须编译 db 模板。因此,您可能想要缓存 db 的编译版本,然后将适当的上下文传递给它。下面是很简单的缓存:
simple_cache = {}
def fooview(request):
    context = {
        'current_city': 'London'
    }
    db_template_string = 'the current city is: {{current_city}}'
    if simple_cache.has_key(db_template_string):
        db_template = simple_cache.get(db_template_string)
    else:
        simple_cache[db_template_string] = Template(db_template_string)
    context['content'] = db_template.render(Context(context))
    return render_template(request, 'about_me.html', context)