2

我有一个要显示在 html 文件中的字符串。字符串中的某些单词(标记为“spc”)需要以黄色背景和更大的字体显示。

我试图使用render_to_response方法将字符串(称为 tdoc)发送到 html 文件。我用 div 标签替换了字符串中的“spc”标签。假设,替换后,字符串的一部分是 we would seldom be prepared to <div id="spcl">examine</div> every。我的 Django 代码看起来像render_to_response('a.html',{'taggeddoc':tdoc})

在我的CSS中,我有以下代码

 #spcl {  
background-color: #FFFF00;  
font-size:15px;  
}  

所以,我应该看到这个词以粗体和黄色背景检查​​,但我没有看到。当我查看呈现的 html 的源代码时,它具有以下子字符串We would seldom be prepared to &lt;div id=&quot;spcl&quot;&gt;examine&lt;/div&gt; every而不是原始字符串。

如何使“检查”一词和类似的词以所需的方式显示?

4

1 回答 1

5

用于mark_safe防止 html 转义:

from django.utils.safestring import mark_safe

...

render_to_response('a.html', {'taggeddoc': mark_safe(tdoc)})

或者safe在模板中使用过滤器:

{{ taggeddoc|safe }}

例子:

>>> from django.utils.safestring import mark_safe
>>> from django.template import Template, Context

# without mark_safe, safe
>>> print(Template('{{ taggeddoc }}').render(Context({'taggeddoc': '<div>hello</div>'})))
&lt;div&gt;hello&lt;/div&gt;

# mark_safe
>>> print(Template('{{ taggeddoc }}').render(Context({'taggeddoc': mark_safe('<div>hello</div>')})))
<div>hello</div>

# safe filter
>>> print(Template('{{ taggeddoc|safe }}').render(Context({'taggeddoc': '<div>hello</div>'})))
<div>hello</div>
于 2013-09-10T02:13:09.147 回答