icn
icn

Reputation: 17876

How to pass common dictionary data to every page in django

I have a common data {the logged-in user's message number) to display on every page. I can simply pass to template as

dict={'messagenumber':5}
return render_to_response('template.html',dict,context_instance=RequestContext(request))

But it looks tedious if i have this dict data pass to very page. Is there an easier way to pass common data to every page?

Thanks

Upvotes: 22

Views: 6781

Answers (3)

James Lin
James Lin

Reputation: 26538

Just to save someone's time if new to django

settings.py

TEMPLATE_CONTEXT_PROCESSORS = ("django.contrib.auth.context_processors.auth",
"django.core.context_processors.debug",
"django.core.context_processors.i18n",
"django.core.context_processors.media",
"django.core.context_processors.static",
"django.contrib.messages.context_processors.messages",
"home.context_processor.remote_ip")

in home application, create a python file called context_processor.py

in the context_processor.py add a function like this:

def remote_ip(request):
  return {'remote_ip': request.META['REMOTE_ADDR']}

use it in the templates like {{ remote_ip }}

Upvotes: 21

Bartek
Bartek

Reputation: 15609

It blows me away how common this is. You want to use context processors my friend!

Very easy to create, like so:

def messagenumber_processor(request):
   return {'messagenumber': 5}

Since messagenumber is a dynamic variable based on the User, you could pull data from the database by fetching from request.user as you have full access to request within each context processor.

Then, add that to your TEMPLATE_CONTEXT_PROCESSORS within settings.py and you're all set :-) You can do any form of database operation or other logic within the context processor as well, try it out!

Upvotes: 18

Ignacio Vazquez-Abrams
Ignacio Vazquez-Abrams

Reputation: 798744

Write your own function to handle it.

def render_with_message_number(template, message_number, request):
    return render_to_response(template, dict(messagenumber=message_number),
        context_instance=RequestContext(request))

And don't shadow dict.

Upvotes: 0

Related Questions