Access request in django custom template tags
Solution 1:
request
is not a variable in that scope. You will have to get it from the context first. Pass takes_context
to the decorator and add context
to the tag arguments.
Like this:
@register.inclusion_tag('new/userinfo.html', takes_context=True)
def address(context):
request = context['request']
address = request.session['address']
return {'address':address}
Solution 2:
I've tried solution from above (from Ignacio Vazquez-Abrams) and it actually didn't work until I've found out that context processors works only with RequestContext
wrapper class.
So in main view method you should add the following line:
from django.template import RequestContext
return render_to_response('index.html', {'form': form, },
context_instance = RequestContext(request))
Solution 3:
I've done this way:
from django import template
register = template.Library()
def do_test_request(parser,token):
try:
tag_name = token.split_contents() # Not really useful
except ValueError:
raise template.TemplateSyntaxError("%r error" % token.contents.split()[0])
return RequestTestNode()
class RequestTestNode(template.Node):
def __init__(self,):
self.request = template.Variable('request')
def render(self, context):
rqst = self.request.resolve(context)
return "The URL is: %s" % rqst.get_full_path()
register.tag('test_request', do_test_request)
There is also a function called resolve_variable
, but it's deprecated.
Hope it helps!