144👍
I think the issue has gotten confused regarding what you want. I imagine you’re not actually trying to put the HTML in the JSON response, but rather want to alternatively return either HTML or JSON.
First, you need to understand the core difference between the two. HTML is a presentational format. It deals more with how to display data than the data itself. JSON is the opposite. It’s pure data — basically a JavaScript representation of some Python (in this case) dataset you have. It serves as merely an interchange layer, allowing you to move data from one area of your app (the view) to another area of your app (your JavaScript) which normally don’t have access to each other.
With that in mind, you don’t "render" JSON, and there’s no templates involved. You merely convert whatever data is in play (most likely pretty much what you’re passing as the context to your template) to JSON. Which can be done via either Django’s JSON library (simplejson), if it’s freeform data, or its serialization framework, if it’s a queryset.
simplejson
from django.utils import simplejson
some_data_to_dump = {
'some_var_1': 'foo',
'some_var_2': 'bar',
}
data = simplejson.dumps(some_data_to_dump)
Serialization
from django.core import serializers
foos = Foo.objects.all()
data = serializers.serialize('json', foos)
Either way, you then pass that data into the response:
return HttpResponse(data, content_type='application/json')
[Edit] In Django 1.6 and earlier, the code to return response was
return HttpResponse(data, mimetype='application/json')
[EDIT]: simplejson was remove from django, you can use:
import json
json.dumps({"foo": "bar"})
Or you can use the django.core.serializers
as described above.
133👍
In Django 1.7 this is even easier with the built-in JsonResponse.
https://docs.djangoproject.com/en/dev/ref/request-response/#jsonresponse-objects
# import it
from django.http import JsonResponse
def my_view(request):
# do something with the your data
data = {}
# just return a JsonResponse
return JsonResponse(data)
- [Django]-Django rest framework serializing many to many field
- [Django]-How do I use an UpdateView to update a Django Model?
- [Django]-Simple Log to File example for django 1.3+
8👍
In the case of the JSON response there is no template to be rendered. Templates are for generating HTML responses. The JSON is the HTTP response.
However, you can have HTML that is rendered from a template withing your JSON response.
html = render_to_string("some.html", some_dictionary)
serialized_data = simplejson.dumps({"html": html})
return HttpResponse(serialized_data, mimetype="application/json")
- [Django]-Django REST Framework custom fields validation
- [Django]-Remove Labels in a Django Crispy Forms
- [Django]-Converting Django QuerySet to pandas DataFrame
8👍
For rendering my models in JSON in django 1.9 I had to do the following in my views.py:
from django.core import serializers
from django.http import HttpResponse
from .models import Mymodel
def index(request):
objs = Mymodel.objects.all()
jsondata = serializers.serialize('json', objs)
return HttpResponse(jsondata, content_type='application/json')
- [Django]-A Better Django Admin ManyToMany Field Widget
- [Django]-Get list item dynamically in django templates
- [Django]-Unittest Django: Mock external API, what is proper way?
7👍
It looks like the Django REST framework uses the HTTP accept header in a Request in order to automatically determine which renderer to use:
http://www.django-rest-framework.org/api-guide/renderers/
Using the HTTP accept header may provide an alternative source for your “if something”.
- [Django]-In Django, how does one filter a QuerySet with dynamic field lookups?
- [Django]-Django TextField and CharField is stripping spaces and blank lines
- [Django]-How to get a favicon to show up in my django app?
2👍
You could also check the request accept content type as specified in the rfc. That way you can render by default HTML and where your client accept application/jason you can return json in your response without a template being required
- [Django]-Django admin default filter
- [Django]-Invalid http_host header
- [Django]-Django – getting Error "Reverse for 'detail' with no arguments not found. 1 pattern(s) tried:" when using {% url "music:fav" %}
2👍
from django.utils import simplejson
from django.core import serializers
def pagina_json(request):
misdatos = misdatos.objects.all()
data = serializers.serialize('json', misdatos)
return HttpResponse(data, mimetype='application/json')
- [Django]-">", "<", ">=" and "<=" don't work with "filter()" in Django
- [Django]-How to remove all of the data in a table using Django
- [Django]-How to duplicate virtualenv
2👍
Here’s an example I needed for conditionally rendering json or html depending on the Request’s Accept
header
# myapp/views.py
from django.core import serializers
from django.http import HttpResponse
from django.shortcuts import render
from .models import Event
def event_index(request):
event_list = Event.objects.all()
if request.META['HTTP_ACCEPT'] == 'application/json':
response = serializers.serialize('json', event_list)
return HttpResponse(response, content_type='application/json')
else:
context = {'event_list': event_list}
return render(request, 'polls/event_list.html', context)
you can test this with curl or httpie
$ http localhost:8000/event/
$ http localhost:8000/event/ Accept:application/json
note I opted not to use JsonReponse
as that would reserialize the model unnecessarily.
- [Django]-How do you Serialize the User model in Django Rest Framework
- [Django]-Django get objects not referenced by foreign key
- [Django]-How do I go straight to template, in Django's urls.py?
0👍
If you want to pass the result as a rendered template you have to load and render a template, pass the result of rendering it to the json.This could look like that:
from django.template import loader, RequestContext
#render the template
t=loader.get_template('sample/sample.html')
context=RequestContext()
html=t.render(context)
#create the json
result={'html_result':html)
json = simplejson.dumps(result)
return HttpResponse(json)
That way you can pass a rendered template as json to your client. This can be useful if you want to completely replace ie. a containing lots of different elements.
- [Django]-How does one make logging color in Django/Google App Engine?
- [Django]-Cancel an already executing task with Celery?
- [Django]-Django Admin app or roll my own?
0👍
add in url.py:
from django.views.generic import TemplateView
urlpattenrns =[…
path(‘.well-known/microsoft-identity-association.json’,TemplateView.as_view(template_name=’verify/microsoft.json’,content_type=’application/json’),name=’microsoftwellknow’),
…]
where Your template (microsoft.json) is just a json file
- [Django]-Django template tag to truncate text
- [Django]-ForeignKey to abstract class (generic relations)
- [Django]-Why does my Django admin site not have styles / CSS loading?