/django/views/generic/base.py

https://code.google.com/p/mango-py/ · Python · 178 lines · 110 code · 27 blank · 41 comment · 19 complexity · f7b64753c30bc451e0ba724ea2aa2f86 MD5 · raw file

  1. from django import http
  2. from django.core.exceptions import ImproperlyConfigured
  3. from django.template import RequestContext, loader
  4. from django.template.response import TemplateResponse
  5. from django.utils.functional import update_wrapper
  6. from django.utils.log import getLogger
  7. from django.utils.decorators import classonlymethod
  8. logger = getLogger('django.request')
  9. class View(object):
  10. """
  11. Intentionally simple parent class for all views. Only implements
  12. dispatch-by-method and simple sanity checking.
  13. """
  14. http_method_names = ['get', 'post', 'put', 'delete', 'head', 'options', 'trace']
  15. def __init__(self, **kwargs):
  16. """
  17. Constructor. Called in the URLconf; can contain helpful extra
  18. keyword arguments, and other things.
  19. """
  20. # Go through keyword arguments, and either save their values to our
  21. # instance, or raise an error.
  22. for key, value in kwargs.iteritems():
  23. setattr(self, key, value)
  24. @classonlymethod
  25. def as_view(cls, **initkwargs):
  26. """
  27. Main entry point for a request-response process.
  28. """
  29. # sanitize keyword arguments
  30. for key in initkwargs:
  31. if key in cls.http_method_names:
  32. raise TypeError(u"You tried to pass in the %s method name as a "
  33. u"keyword argument to %s(). Don't do that."
  34. % (key, cls.__name__))
  35. if not hasattr(cls, key):
  36. raise TypeError(u"%s() received an invalid keyword %r" % (
  37. cls.__name__, key))
  38. def view(request, *args, **kwargs):
  39. self = cls(**initkwargs)
  40. return self.dispatch(request, *args, **kwargs)
  41. # take name and docstring from class
  42. update_wrapper(view, cls, updated=())
  43. # and possible attributes set by decorators
  44. # like csrf_exempt from dispatch
  45. update_wrapper(view, cls.dispatch, assigned=())
  46. return view
  47. def dispatch(self, request, *args, **kwargs):
  48. # Try to dispatch to the right method; if a method doesn't exist,
  49. # defer to the error handler. Also defer to the error handler if the
  50. # request method isn't on the approved list.
  51. if request.method.lower() in self.http_method_names:
  52. handler = getattr(self, request.method.lower(), self.http_method_not_allowed)
  53. else:
  54. handler = self.http_method_not_allowed
  55. self.request = request
  56. self.args = args
  57. self.kwargs = kwargs
  58. return handler(request, *args, **kwargs)
  59. def http_method_not_allowed(self, request, *args, **kwargs):
  60. allowed_methods = [m for m in self.http_method_names if hasattr(self, m)]
  61. logger.warning('Method Not Allowed (%s): %s' % (request.method, request.path),
  62. extra={
  63. 'status_code': 405,
  64. 'request': self.request
  65. }
  66. )
  67. return http.HttpResponseNotAllowed(allowed_methods)
  68. class TemplateResponseMixin(object):
  69. """
  70. A mixin that can be used to render a template.
  71. """
  72. template_name = None
  73. response_class = TemplateResponse
  74. def render_to_response(self, context, **response_kwargs):
  75. """
  76. Returns a response with a template rendered with the given context.
  77. """
  78. return self.response_class(
  79. request = self.request,
  80. template = self.get_template_names(),
  81. context = context,
  82. **response_kwargs
  83. )
  84. def get_template_names(self):
  85. """
  86. Returns a list of template names to be used for the request. Must return
  87. a list. May not be called if render_to_response is overridden.
  88. """
  89. if self.template_name is None:
  90. raise ImproperlyConfigured(
  91. "TemplateResponseMixin requires either a definition of "
  92. "'template_name' or an implementation of 'get_template_names()'")
  93. else:
  94. return [self.template_name]
  95. class TemplateView(TemplateResponseMixin, View):
  96. """
  97. A view that renders a template.
  98. """
  99. def get_context_data(self, **kwargs):
  100. return {
  101. 'params': kwargs
  102. }
  103. def get(self, request, *args, **kwargs):
  104. context = self.get_context_data(**kwargs)
  105. return self.render_to_response(context)
  106. class RedirectView(View):
  107. """
  108. A view that provides a redirect on any GET request.
  109. """
  110. permanent = True
  111. url = None
  112. query_string = False
  113. def get_redirect_url(self, **kwargs):
  114. """
  115. Return the URL redirect to. Keyword arguments from the
  116. URL pattern match generating the redirect request
  117. are provided as kwargs to this method.
  118. """
  119. if self.url:
  120. args = self.request.META["QUERY_STRING"]
  121. if args and self.query_string:
  122. url = "%s?%s" % (self.url, args)
  123. else:
  124. url = self.url
  125. return url % kwargs
  126. else:
  127. return None
  128. def get(self, request, *args, **kwargs):
  129. url = self.get_redirect_url(**kwargs)
  130. if url:
  131. if self.permanent:
  132. return http.HttpResponsePermanentRedirect(url)
  133. else:
  134. return http.HttpResponseRedirect(url)
  135. else:
  136. logger.warning('Gone: %s' % self.request.path,
  137. extra={
  138. 'status_code': 410,
  139. 'request': self.request
  140. })
  141. return http.HttpResponseGone()
  142. def head(self, request, *args, **kwargs):
  143. return self.get(request, *args, **kwargs)
  144. def post(self, request, *args, **kwargs):
  145. return self.get(request, *args, **kwargs)
  146. def options(self, request, *args, **kwargs):
  147. return self.get(request, *args, **kwargs)
  148. def delete(self, request, *args, **kwargs):
  149. return self.get(request, *args, **kwargs)
  150. def put(self, request, *args, **kwargs):
  151. return self.get(request, *args, **kwargs)