Say I have settings.py file with a bunch of constants (maybe more, in the future). How do I access those variables in a Jinja template?
Asked
Active
Viewed 7,262 times
2 Answers
19
Flask automatically includes your application's config in the standard context. So if you used app.config.from_envvar
or app.config.from_pyfile
to pull in the values from your settings file, you already have access to those values in your Jinja templates (e.g., {{ config.someconst }}
).

ddbeck
- 3,855
- 2
- 28
- 22
-
i'm not able to do this, maybe its outdated for 2023, restarted my serve, tried everything already – greendino Apr 05 '23 at 04:46
7
You need to define a context_processor
:
@app.context_processor
def inject_globals():
return dict(
const1 = const1,
const2 = const2,
)
Values injected this way will be directly available in templates:
<p>The values of const1 is {{ const1 }}.</p>
You'll probably want to use the Python dir
function to avoid listing all of the constants.

Helgi
- 5,428
- 1
- 31
- 48
-
Thanks. So can I access them in all the templates automatically? (e.g. `{{ g.const1 }}`) – john2x Aug 11 '11 at 12:22
-
@john2x: The constants will be available directly, see my updated answer. But I think ddbeck's answer may better suit your needs. – Helgi Aug 11 '11 at 19:50
-
-