Decorator that stores the request.path
URL in a session variable to be used later, e.g. in a "Continue Shopping" link on a cart page. Wrap and view that you want to be able to link back to easily. When those views are called, it updates the session with the current request.path
value. This can be pulled back out of the session whenever you need to provide a link back from whence the user came.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | # decorators.py
try:
from functools import wraps
except ImportError:
from django.utils.functional import wraps # Python 2.3, 2.4 fallback.
def remember_path(view_func):
"""
Decorator that stores the `request.path` URL in a session variable
to be used later, e.g. in a "Continue Shopping" link on a cart page.
"""
def _wrapped_view_func(request, *args, **kwargs):
request.session['last_path'] = request.path
return view_func(request, *args, **kwargs)
return wraps(view_func)(_wrapped_view_func)
# views.py example to remember path
@remember_path
def shopping_view(request):
# regular view code
# views.py example to use path
def cart_view(request):
# view code
return render_to_response('template.html', {
'last_path': request.session.get('last_path', '/'),
# other context
})
|
More like this
- Template tag - list punctuation for a list of items by shapiromatron 10 months, 1 week ago
- JSONRequestMiddleware adds a .json() method to your HttpRequests by cdcarter 10 months, 2 weeks ago
- Serializer factory with Django Rest Framework by julio 1 year, 5 months ago
- Image compression before saving the new model / work with JPG, PNG by Schleidens 1 year, 6 months ago
- Help text hyperlinks by sa2812 1 year, 6 months ago
Comments
why it needs to be a decorator?
why not simple:
#
I wrote something almost identical to this for one of my projects, but backed it out after only a week or so in use. It tends to really wreak havoc with any kind of multiple-tabs workflow someone might be using on your site. Embrace statelessness :-)
#
@carljm: Someone did bring the multiple tabs problem to my attention, and it's a good caveat to put on this.
#
Please login first before commenting.