138👍
The solution is simple. It’s actually well documented, but not too easy to find. (I had to dig around — it didn’t come up when I tried a few different Google searches.)
The following code works:
>>> from django.template import Template, Context
>>> from django.conf import settings
>>> settings.configure()
>>> t = Template('My name is {{ my_name }}.')
>>> c = Context({'my_name': 'Daryl Spitzer'})
>>> t.render(c)
u'My name is Daryl Spitzer.'
See the Django documentation (linked above) for a description of some of the settings you may want to define (as keyword arguments to configure).
48👍
Jinja2 syntax is pretty much the same as Django’s with very few differences, and you get a much more powerfull template engine, which also compiles your template to bytecode (FAST!).
I use it for templating, including in Django itself, and it is very good. You can also easily write extensions if some feature you want is missing.
Here is some demonstration of the code generation:
>>> import jinja2
>>> print jinja2.Environment().compile('{% for row in data %}{{ row.name | upper }}{% endfor %}', raw=True)
from __future__ import division
from jinja2.runtime import LoopContext, Context, TemplateReference, Macro, Markup, TemplateRuntimeError, missing, concat, escape, markup_join, unicode_join
name = None
def root(context, environment=environment):
l_data = context.resolve('data')
t_1 = environment.filters['upper']
if 0: yield None
for l_row in l_data:
if 0: yield None
yield unicode(t_1(environment.getattr(l_row, 'name')))
blocks = {}
debug_info = '1=9'
- [Django]-Django Rest Framework — no module named rest_framework
- [Django]-What is the Simplest Possible Payment Gateway to Implement? (using Django)
- [Django]-Django Form File Field disappears on form error
10👍
Any particular reason you want to use Django’s templates? Both Jinja and Genshi are, in my opinion, superior.
If you really want to, then see the Django documentation on settings.py
. Especially the section “Using settings without setting DJANGO_SETTINGS_MODULE
“. Use something like this:
from django.conf import settings
settings.configure (FOO='bar') # Your settings go here
- [Django]-Django AutoField with primary_key vs default pk
- [Django]-Django custom management commands: AttributeError: 'module' object has no attribute 'Command'
- [Django]-How to limit the maximum value of a numeric field in a Django model?
9👍
An addition to what other wrote, if you want to use Django Template on Django > 1.7, you must give your settings.configure(…) call the TEMPLATES variable and call django.setup() like this :
from django.conf import settings
settings.configure(TEMPLATES=[
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': ['.'], # if you want the templates from a file
'APP_DIRS': False, # we have no apps
},
])
import django
django.setup()
Then you can load your template like normally, from a string :
from django import template
t = template.Template('My name is {{ name }}.')
c = template.Context({'name': 'Rob'})
t.render(c)
And if you wrote the DIRS variable in the .configure, from the disk :
from django.template.loader import get_template
t = get_template('a.html')
t.render({'name': 5})
Django Error: No DjangoTemplates backend is configured
http://django.readthedocs.io/en/latest/releases/1.7.html#standalone-scripts
- [Django]-Django – makemigrations – No changes detected
- [Django]-Where is my Django installation?
- [Django]-Django models.py Circular Foreign Key
7👍
I would also recommend jinja2. There is a nice article on django
vs. jinja2
that gives some in-detail information on why you should prefere the later.
- [Django]-How do I use CSS in Django?
- [Django]-Django FileField upload is not working for me
- [Django]-Django F() division – How to avoid rounding off
5👍
According to the Jinja documentation, Python 3 support is still experimental. So if you are on Python 3 and performance is not an issue, you can use django’s built in template engine.
Django 1.8 introduced support for multiple template engines which requires a change to the way templates are initialized. You have to explicitly configure settings.DEBUG
which is used by the default template engine provided by django. Here’s the code to use templates without using the rest of django.
from django.template import Template, Context
from django.template.engine import Engine
from django.conf import settings
settings.configure(DEBUG=False)
template_string = "Hello {{ name }}"
template = Template(template_string, engine=Engine())
context = Context({"name": "world"})
output = template.render(context) #"hello world"
- [Django]-How to delete a record in Django models?
- [Django]-Iterating over related objects in Django: loop over query set or use one-liner select_related (or prefetch_related)
- [Django]-How to send email via Django?
3👍
Thanks for the help folks. Here is one more addition. The case where you need to use custom template tags.
Let’s say you have this important template tag in the module read.py
from django import template
register = template.Library()
@register.filter(name='bracewrap')
def bracewrap(value):
return "{" + value + "}"
This is the html template file “temp.html”:
{{var|bracewrap}}
Finally, here is a Python script that will tie to all together
import django
from django.conf import settings
from django.template import Template, Context
import os
#load your tags
from django.template.loader import get_template
django.template.base.add_to_builtins("read")
# You need to configure Django a bit
settings.configure(
TEMPLATE_DIRS=(os.path.dirname(os.path.realpath(__file__)), ),
)
#or it could be in python
#t = Template('My name is {{ my_name }}.')
c = Context({'var': 'stackoverflow.com rox'})
template = get_template("temp.html")
# Prepare context ....
print template.render(c)
The output would be
{stackoverflow.com rox}
- [Django]-Rendering a template variable as HTML
- [Django]-Django TextField and CharField is stripping spaces and blank lines
- [Django]-How to duplicate virtualenv
2👍
I would say Jinja as well. It is definitely more powerful than Django Templating Engine and it is stand alone.
If this was an external plug to an existing Django application, you could create a custom command and use the templating engine within your projects environment. Like this;
manage.py generatereports --format=html
But I don’t think it is worth just using the Django Templating Engine instead of Jinja.
- [Django]-Why is factory_boy superior to using the ORM directly in tests?
- [Django]-How can I disable logging while running unit tests in Python Django?
- [Django]-How to use permission_required decorators on django class-based views
- [Django]-Django URLs TypeError: view must be a callable or a list/tuple in the case of include()
- [Django]-Setting DEBUG = False causes 500 Error
- [Django]-Django rest framework change primary key to use a unqiue field
1👍
Don’t. Use StringTemplate instead–there is no reason to consider any other template engine once you know about it.
- [Django]-Django values_list vs values
- [Django]-Default value for user ForeignKey with Django admin
- [Django]-Django unit tests without a db
0👍
Google AppEngine
uses the Django templating engine, have you taken a look at how they do it? You could possibly just use that.
- [Django]-Explicitly set MySQL table storage engine using South and Django
- [Django]-Google Static Maps URL length limit
- [Django]-Paginating the results of a Django forms POST request
0👍
I echo the above statements. Jinja 2 is a pretty good superset of Django templates for general use. I think they’re working on making the Django templates a little less coupled to the settings.py, but Jinja should do well for you.
- [Django]-Django REST Framework: how to substitute null with empty string?
- [Django]-Django py.test does not find settings module
- [Django]-Images from ImageField in Django don't load in template
0👍
While running the manage.py
shell:
>>> from django import template
>>> t = template.Template('My name is {{ me }}.')
>>> c = template.Context({'me': 'ShuJi'})
>>> t.render(c)
- [Django]-Django celery task: Newly created model DoesNotExist
- [Django]-What is choice_set in this Django app tutorial?
- [Django]-Django 1.5 – How to use variables inside static tag
0👍
All of the current examples still need to initialize the configuration system. This bypasses it:
#!/usr/bin/env python3
import django.template
import django.template.engine
def _main():
e = django.template.engine.Engine()
body = """\
aa {{ test_token }} cc
"""
t = django.template.Template(body, engine=e)
context = {
'test_token': 'bb',
}
c = django.template.Context(context)
r = t.render(c)
print(r)
_main()
Output:
$ ./test_render.py
aa bb cc
- [Django]-Django models.py Circular Foreign Key
- [Django]-Django Passing Custom Form Parameters to Formset
- [Django]-Django datefield filter by weekday/weekend
0👍
In the case where you need to use custom template tags, @Gourneau’s answer did not work for me. I had to configure settings (in my main.py) like this:
import django
from django.conf import settings
from django.template.loader import get_template
settings.configure(
TEMPLATES=[
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': ['templates'],
'APP_DIRS': False,
'OPTIONS': {
'libraries': {
'custom_filters': 'templatetags.custom_filters',
},
},
},
])
django.setup()
where my folder structure looks like this:
- main.py
- templates/
- test_results.html
- templatetags/
- __init__.py
- custom_filters.py
and custom_filters.py looks like this:
from django import template
import pandas as pd
import base64
from django.utils.safestring import mark_safe
register = template.Library()
@register.filter
def nl_to_br(string:str):
return mark_safe( string.replace("\n", "<br>") )
Now I could simply use (in main.py):
template = get_template('test_results.html')
context = {
"results": results
}
test_results = template.render(context)
- [Django]-Django: Implementing a Form within a generic DetailView
- [Django]-Django values_list vs values
- [Django]-"{% extends %}" and "{% include %}" in Django Templates