Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Django: passing JSON from view to template

In views.py, I have time series data stored in a dictionary as follows:

time_series = {"timestamp1": occurrences, "timestamp2": occurrences}

where each timestamp is in unix time and occurrences is an integer.

Is there a way to pass the time series data as a json object in the context of the render function?

Why do this: I am using Cal-heatmap on the front end which requires the data to be in json format. Ajax requests work just fine for now but I ideally would like to use the render approach if possible.

like image 943
jkarimi Avatar asked Jul 01 '15 01:07

jkarimi


4 Answers

If a frontend library needs a to parse JSON, you can use the json library to convert a python dict to a JSON valid string. Use the escapejs filter

import json

def foo(request):
    json_string = json.dumps(<time_series>)
    render(request, "foo.html", {'time_series_json_string': json_string})


<script>
    var jsonObject = JSON.parse('{{ time_series_json_string | escapejs }}');
</script>
like image 154
Yuji 'Tomita' Tomita Avatar answered Nov 13 '22 09:11

Yuji 'Tomita' Tomita


Pass a json.dumps value to the template. It is already a valid JSON string so you don't need to parse it or anything. Only when rendering it in the template, mark it as safe to prevent HTML quoting.

# views.py
def foo(request):
    time_series_json = json.dumps(time_series)
    return render(request, 
                  "template.html", 
                  context={'time_series': time_series_json})

# in the template
<script>
    const timeSeries = {{ time_series | safe }};
</script>
like image 40
Milan Cermak Avatar answered Nov 13 '22 10:11

Milan Cermak


have you tried passing something like json.dumps(time_series) to the render function?

like image 2
Romeo Mihalcea Avatar answered Nov 13 '22 09:11

Romeo Mihalcea


Using the Django templates built-in filter json_script:

In views.py:

render(request, "foo.html", {'time_series_data': time_series})

In the template foo.html:

{{ time_series_data|json_script:"time-series-data" }}

In your script:

const timeSeriesData = JSON.parse(document.getElementById('time-series-data').textContent);
like image 2
talz Avatar answered Nov 13 '22 10:11

talz