mirror of
				https://github.com/django/django.git
				synced 2025-10-24 22:26:08 +00:00 
			
		
		
		
	Merged the newforms-admin branch into trunk.
This is a backward incompatible change. The admin contrib app has been refactored. The newforms module has several improvements including FormSets and Media definitions. git-svn-id: http://code.djangoproject.com/svn/django/trunk@7967 bcc190cf-cafb-0310-a4f2-bffc1f526a37
This commit is contained in:
		
							
								
								
									
										0
									
								
								django/contrib/admindocs/__init__.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										0
									
								
								django/contrib/admindocs/__init__.py
									
									
									
									
									
										Normal file
									
								
							
							
								
								
									
										15
									
								
								django/contrib/admindocs/urls.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										15
									
								
								django/contrib/admindocs/urls.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,15 @@ | ||||
| from django.conf.urls.defaults import * | ||||
| from django.contrib.admindocs import views | ||||
|  | ||||
| urlpatterns = patterns('', | ||||
|     ('^$', views.doc_index), | ||||
|     ('^bookmarklets/$', views.bookmarklets), | ||||
|     ('^tags/$', views.template_tag_index), | ||||
|     ('^filters/$', views.template_filter_index), | ||||
|     ('^views/$', views.view_index), | ||||
|     ('^views/(?P<view>[^/]+)/$', views.view_detail), | ||||
|     ('^models/$', views.model_index), | ||||
|     ('^models/(?P<app_label>[^\.]+)\.(?P<model_name>[^/]+)/$', views.model_detail), | ||||
| #    ('^templates/$', views.template_index), | ||||
|     ('^templates/(?P<template>.*)/$', views.template_detail), | ||||
| ) | ||||
							
								
								
									
										103
									
								
								django/contrib/admindocs/utils.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										103
									
								
								django/contrib/admindocs/utils.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,103 @@ | ||||
| "Misc. utility functions/classes for admin documentation generator." | ||||
|  | ||||
| import re | ||||
| from email.Parser import HeaderParser | ||||
| from email.Errors import HeaderParseError | ||||
| from django.utils.safestring import mark_safe | ||||
| try: | ||||
|     import docutils.core | ||||
|     import docutils.nodes | ||||
|     import docutils.parsers.rst.roles | ||||
| except ImportError: | ||||
|     docutils_is_available = False | ||||
| else: | ||||
|     docutils_is_available = True | ||||
|  | ||||
| def trim_docstring(docstring): | ||||
|     """ | ||||
|     Uniformly trims leading/trailing whitespace from docstrings. | ||||
|  | ||||
|     Based on http://www.python.org/peps/pep-0257.html#handling-docstring-indentation | ||||
|     """ | ||||
|     if not docstring or not docstring.strip(): | ||||
|         return '' | ||||
|     # Convert tabs to spaces and split into lines | ||||
|     lines = docstring.expandtabs().splitlines() | ||||
|     indent = min([len(line) - len(line.lstrip()) for line in lines if line.lstrip()]) | ||||
|     trimmed = [lines[0].lstrip()] + [line[indent:].rstrip() for line in lines[1:]] | ||||
|     return "\n".join(trimmed).strip() | ||||
|  | ||||
| def parse_docstring(docstring): | ||||
|     """ | ||||
|     Parse out the parts of a docstring.  Returns (title, body, metadata). | ||||
|     """ | ||||
|     docstring = trim_docstring(docstring) | ||||
|     parts = re.split(r'\n{2,}', docstring) | ||||
|     title = parts[0] | ||||
|     if len(parts) == 1: | ||||
|         body = '' | ||||
|         metadata = {} | ||||
|     else: | ||||
|         parser = HeaderParser() | ||||
|         try: | ||||
|             metadata = parser.parsestr(parts[-1]) | ||||
|         except HeaderParseError: | ||||
|             metadata = {} | ||||
|             body = "\n\n".join(parts[1:]) | ||||
|         else: | ||||
|             metadata = dict(metadata.items()) | ||||
|             if metadata: | ||||
|                 body = "\n\n".join(parts[1:-1]) | ||||
|             else: | ||||
|                 body = "\n\n".join(parts[1:]) | ||||
|     return title, body, metadata | ||||
|  | ||||
| def parse_rst(text, default_reference_context, thing_being_parsed=None, link_base='../..'): | ||||
|     """ | ||||
|     Convert the string from reST to an XHTML fragment. | ||||
|     """ | ||||
|     overrides = { | ||||
|         'doctitle_xform' : True, | ||||
|         'inital_header_level' : 3, | ||||
|         "default_reference_context" : default_reference_context, | ||||
|         "link_base" : link_base, | ||||
|     } | ||||
|     if thing_being_parsed: | ||||
|         thing_being_parsed = "<%s>" % thing_being_parsed | ||||
|     parts = docutils.core.publish_parts(text, source_path=thing_being_parsed, | ||||
|                 destination_path=None, writer_name='html', | ||||
|                 settings_overrides=overrides) | ||||
|     return mark_safe(parts['fragment']) | ||||
|  | ||||
| # | ||||
| # reST roles | ||||
| # | ||||
| ROLES = { | ||||
|     'model'    : '%s/models/%s/', | ||||
|     'view'     : '%s/views/%s/', | ||||
|     'template' : '%s/templates/%s/', | ||||
|     'filter'   : '%s/filters/#%s', | ||||
|     'tag'      : '%s/tags/#%s', | ||||
| } | ||||
|  | ||||
| def create_reference_role(rolename, urlbase): | ||||
|     def _role(name, rawtext, text, lineno, inliner, options=None, content=None): | ||||
|         if options is None: options = {} | ||||
|         if content is None: content = [] | ||||
|         node = docutils.nodes.reference(rawtext, text, refuri=(urlbase % (inliner.document.settings.link_base, text.lower())), **options) | ||||
|         return [node], [] | ||||
|     docutils.parsers.rst.roles.register_canonical_role(rolename, _role) | ||||
|  | ||||
| def default_reference_role(name, rawtext, text, lineno, inliner, options=None, content=None): | ||||
|     if options is None: options = {} | ||||
|     if content is None: content = [] | ||||
|     context = inliner.document.settings.default_reference_context | ||||
|     node = docutils.nodes.reference(rawtext, text, refuri=(ROLES[context] % (inliner.document.settings.link_base, text.lower())), **options) | ||||
|     return [node], [] | ||||
|  | ||||
| if docutils_is_available: | ||||
|     docutils.parsers.rst.roles.register_canonical_role('cmsreference', default_reference_role) | ||||
|     docutils.parsers.rst.roles.DEFAULT_INTERPRETED_ROLE = 'cmsreference' | ||||
|  | ||||
|     for name, urlbase in ROLES.items(): | ||||
|         create_reference_role(name, urlbase) | ||||
							
								
								
									
										392
									
								
								django/contrib/admindocs/views.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										392
									
								
								django/contrib/admindocs/views.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,392 @@ | ||||
| from django import template, templatetags | ||||
| from django.template import RequestContext | ||||
| from django.conf import settings | ||||
| from django.contrib.admin.views.decorators import staff_member_required | ||||
| from django.db import models | ||||
| from django.shortcuts import render_to_response | ||||
| from django.core.exceptions import ImproperlyConfigured, ViewDoesNotExist | ||||
| from django.http import Http404, get_host | ||||
| from django.core import urlresolvers | ||||
| from django.contrib.admindocs import utils | ||||
| from django.contrib.sites.models import Site | ||||
| from django.utils.translation import ugettext as _ | ||||
| from django.utils.safestring import mark_safe | ||||
| import inspect, os, re | ||||
|  | ||||
| # Exclude methods starting with these strings from documentation | ||||
| MODEL_METHODS_EXCLUDE = ('_', 'add_', 'delete', 'save', 'set_') | ||||
|  | ||||
| class GenericSite(object): | ||||
|     domain = 'example.com' | ||||
|     name = 'my site' | ||||
|  | ||||
| def doc_index(request): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|     root_path = re.sub(re.escape('doc/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/index.html', { | ||||
|         'root_path': root_path, | ||||
|     }, context_instance=RequestContext(request)) | ||||
| doc_index = staff_member_required(doc_index) | ||||
|  | ||||
| def bookmarklets(request): | ||||
|     # Hack! This couples this view to the URL it lives at. | ||||
|     admin_root = request.path[:-len('doc/bookmarklets/')] | ||||
|     root_path = re.sub(re.escape('doc/bookmarklets/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/bookmarklets.html', { | ||||
|         'root_path': root_path, | ||||
|         'admin_url': mark_safe("%s://%s%s" % (request.is_secure() and 'https' or 'http', request.get_host(), admin_root)), | ||||
|     }, context_instance=RequestContext(request)) | ||||
| bookmarklets = staff_member_required(bookmarklets) | ||||
|  | ||||
| def template_tag_index(request): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|  | ||||
|     load_all_installed_template_libraries() | ||||
|  | ||||
|     tags = [] | ||||
|     for module_name, library in template.libraries.items(): | ||||
|         for tag_name, tag_func in library.tags.items(): | ||||
|             title, body, metadata = utils.parse_docstring(tag_func.__doc__) | ||||
|             if title: | ||||
|                 title = utils.parse_rst(title, 'tag', _('tag:') + tag_name) | ||||
|             if body: | ||||
|                 body = utils.parse_rst(body, 'tag', _('tag:') + tag_name) | ||||
|             for key in metadata: | ||||
|                 metadata[key] = utils.parse_rst(metadata[key], 'tag', _('tag:') + tag_name) | ||||
|             if library in template.builtins: | ||||
|                 tag_library = None | ||||
|             else: | ||||
|                 tag_library = module_name.split('.')[-1] | ||||
|             tags.append({ | ||||
|                 'name': tag_name, | ||||
|                 'title': title, | ||||
|                 'body': body, | ||||
|                 'meta': metadata, | ||||
|                 'library': tag_library, | ||||
|             }) | ||||
|     root_path = re.sub(re.escape('doc/tags/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/template_tag_index.html', { | ||||
|         'root_path': root_path, | ||||
|         'tags': tags | ||||
|     }, context_instance=RequestContext(request)) | ||||
| template_tag_index = staff_member_required(template_tag_index) | ||||
|  | ||||
| def template_filter_index(request): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|  | ||||
|     load_all_installed_template_libraries() | ||||
|  | ||||
|     filters = [] | ||||
|     for module_name, library in template.libraries.items(): | ||||
|         for filter_name, filter_func in library.filters.items(): | ||||
|             title, body, metadata = utils.parse_docstring(filter_func.__doc__) | ||||
|             if title: | ||||
|                 title = utils.parse_rst(title, 'filter', _('filter:') + filter_name) | ||||
|             if body: | ||||
|                 body = utils.parse_rst(body, 'filter', _('filter:') + filter_name) | ||||
|             for key in metadata: | ||||
|                 metadata[key] = utils.parse_rst(metadata[key], 'filter', _('filter:') + filter_name) | ||||
|             if library in template.builtins: | ||||
|                 tag_library = None | ||||
|             else: | ||||
|                 tag_library = module_name.split('.')[-1] | ||||
|             filters.append({ | ||||
|                 'name': filter_name, | ||||
|                 'title': title, | ||||
|                 'body': body, | ||||
|                 'meta': metadata, | ||||
|                 'library': tag_library, | ||||
|             }) | ||||
|     root_path = re.sub(re.escape('doc/filters/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/template_filter_index.html', { | ||||
|         'root_path': root_path, | ||||
|         'filters': filters | ||||
|     }, context_instance=RequestContext(request)) | ||||
| template_filter_index = staff_member_required(template_filter_index) | ||||
|  | ||||
| def view_index(request): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|  | ||||
|     if settings.ADMIN_FOR: | ||||
|         settings_modules = [__import__(m, {}, {}, ['']) for m in settings.ADMIN_FOR] | ||||
|     else: | ||||
|         settings_modules = [settings] | ||||
|  | ||||
|     views = [] | ||||
|     for settings_mod in settings_modules: | ||||
|         urlconf = __import__(settings_mod.ROOT_URLCONF, {}, {}, ['']) | ||||
|         view_functions = extract_views_from_urlpatterns(urlconf.urlpatterns) | ||||
|         if Site._meta.installed: | ||||
|             site_obj = Site.objects.get(pk=settings_mod.SITE_ID) | ||||
|         else: | ||||
|             site_obj = GenericSite() | ||||
|         for (func, regex) in view_functions: | ||||
|             views.append({ | ||||
|                 'name': func.__name__, | ||||
|                 'module': func.__module__, | ||||
|                 'site_id': settings_mod.SITE_ID, | ||||
|                 'site': site_obj, | ||||
|                 'url': simplify_regex(regex), | ||||
|             }) | ||||
|     root_path = re.sub(re.escape('doc/views/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/view_index.html', { | ||||
|         'root_path': root_path, | ||||
|         'views': views | ||||
|     }, context_instance=RequestContext(request)) | ||||
| view_index = staff_member_required(view_index) | ||||
|  | ||||
| def view_detail(request, view): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|  | ||||
|     mod, func = urlresolvers.get_mod_func(view) | ||||
|     try: | ||||
|         view_func = getattr(__import__(mod, {}, {}, ['']), func) | ||||
|     except (ImportError, AttributeError): | ||||
|         raise Http404 | ||||
|     title, body, metadata = utils.parse_docstring(view_func.__doc__) | ||||
|     if title: | ||||
|         title = utils.parse_rst(title, 'view', _('view:') + view) | ||||
|     if body: | ||||
|         body = utils.parse_rst(body, 'view', _('view:') + view) | ||||
|     for key in metadata: | ||||
|         metadata[key] = utils.parse_rst(metadata[key], 'model', _('view:') + view) | ||||
|     root_path = re.sub(re.escape('doc/views/%s/' % view) + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/view_detail.html', { | ||||
|         'root_path': root_path, | ||||
|         'name': view, | ||||
|         'summary': title, | ||||
|         'body': body, | ||||
|         'meta': metadata, | ||||
|     }, context_instance=RequestContext(request)) | ||||
| view_detail = staff_member_required(view_detail) | ||||
|  | ||||
| def model_index(request): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|     m_list = [m._meta for m in models.get_models()] | ||||
|     root_path = re.sub(re.escape('doc/models/') + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/model_index.html', { | ||||
|         'root_path': root_path, | ||||
|         'models': m_list | ||||
|     }, context_instance=RequestContext(request)) | ||||
| model_index = staff_member_required(model_index) | ||||
|  | ||||
| def model_detail(request, app_label, model_name): | ||||
|     if not utils.docutils_is_available: | ||||
|         return missing_docutils_page(request) | ||||
|          | ||||
|     # Get the model class. | ||||
|     try: | ||||
|         app_mod = models.get_app(app_label) | ||||
|     except ImproperlyConfigured: | ||||
|         raise Http404, _("App %r not found") % app_label | ||||
|     model = None | ||||
|     for m in models.get_models(app_mod): | ||||
|         if m._meta.object_name.lower() == model_name: | ||||
|             model = m | ||||
|             break | ||||
|     if model is None: | ||||
|         raise Http404, _("Model %(model_name)r not found in app %(app_label)r") % {'model_name': model_name, 'app_label': app_label} | ||||
|  | ||||
|     opts = model._meta | ||||
|  | ||||
|     # Gather fields/field descriptions. | ||||
|     fields = [] | ||||
|     for field in opts.fields: | ||||
|         # ForeignKey is a special case since the field will actually be a | ||||
|         # descriptor that returns the other object | ||||
|         if isinstance(field, models.ForeignKey): | ||||
|             data_type = related_object_name = field.rel.to.__name__ | ||||
|             app_label = field.rel.to._meta.app_label | ||||
|             verbose = utils.parse_rst((_("the related `%(app_label)s.%(data_type)s` object")  % {'app_label': app_label, 'data_type': data_type}), 'model', _('model:') + data_type) | ||||
|         else: | ||||
|             data_type = get_readable_field_data_type(field) | ||||
|             verbose = field.verbose_name | ||||
|         fields.append({ | ||||
|             'name': field.name, | ||||
|             'data_type': data_type, | ||||
|             'verbose': verbose, | ||||
|             'help_text': field.help_text, | ||||
|         }) | ||||
|  | ||||
|     # Gather model methods. | ||||
|     for func_name, func in model.__dict__.items(): | ||||
|         if (inspect.isfunction(func) and len(inspect.getargspec(func)[0]) == 1): | ||||
|             try: | ||||
|                 for exclude in MODEL_METHODS_EXCLUDE: | ||||
|                     if func_name.startswith(exclude): | ||||
|                         raise StopIteration | ||||
|             except StopIteration: | ||||
|                 continue | ||||
|             verbose = func.__doc__ | ||||
|             if verbose: | ||||
|                 verbose = utils.parse_rst(utils.trim_docstring(verbose), 'model', _('model:') + opts.module_name) | ||||
|             fields.append({ | ||||
|                 'name': func_name, | ||||
|                 'data_type': get_return_data_type(func_name), | ||||
|                 'verbose': verbose, | ||||
|             }) | ||||
|  | ||||
|     # Gather related objects | ||||
|     for rel in opts.get_all_related_objects(): | ||||
|         verbose = _("related `%(app_label)s.%(object_name)s` objects") % {'app_label': rel.opts.app_label, 'object_name': rel.opts.object_name} | ||||
|         accessor = rel.get_accessor_name() | ||||
|         fields.append({ | ||||
|             'name'      : "%s.all" % accessor, | ||||
|             'data_type' : 'List', | ||||
|             'verbose'   : utils.parse_rst(_("all %s") % verbose , 'model', _('model:') + opts.module_name), | ||||
|         }) | ||||
|         fields.append({ | ||||
|             'name'      : "%s.count" % accessor, | ||||
|             'data_type' : 'Integer', | ||||
|             'verbose'   : utils.parse_rst(_("number of %s") % verbose , 'model', _('model:') + opts.module_name), | ||||
|         }) | ||||
|     root_path = re.sub(re.escape('doc/models/%s.%s/' % (app_label, model_name)) + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/model_detail.html', { | ||||
|         'root_path': root_path, | ||||
|         'name': '%s.%s' % (opts.app_label, opts.object_name), | ||||
|         'summary': _("Fields on %s objects") % opts.object_name, | ||||
|         'description': model.__doc__, | ||||
|         'fields': fields, | ||||
|     }, context_instance=RequestContext(request)) | ||||
| model_detail = staff_member_required(model_detail) | ||||
|  | ||||
| def template_detail(request, template): | ||||
|     templates = [] | ||||
|     for site_settings_module in settings.ADMIN_FOR: | ||||
|         settings_mod = __import__(site_settings_module, {}, {}, ['']) | ||||
|         if Site._meta.installed: | ||||
|             site_obj = Site.objects.get(pk=settings_mod.SITE_ID) | ||||
|         else: | ||||
|             site_obj = GenericSite() | ||||
|         for dir in settings_mod.TEMPLATE_DIRS: | ||||
|             template_file = os.path.join(dir, "%s.html" % template) | ||||
|             templates.append({ | ||||
|                 'file': template_file, | ||||
|                 'exists': os.path.exists(template_file), | ||||
|                 'contents': lambda: os.path.exists(template_file) and open(template_file).read() or '', | ||||
|                 'site_id': settings_mod.SITE_ID, | ||||
|                 'site': site_obj, | ||||
|                 'order': list(settings_mod.TEMPLATE_DIRS).index(dir), | ||||
|             }) | ||||
|     root_path = re.sub(re.escape('doc/templates/%s/' % template) + '$', '', request.path) | ||||
|     return render_to_response('admin_doc/template_detail.html', { | ||||
|         'root_path': root_path, | ||||
|         'name': template, | ||||
|         'templates': templates, | ||||
|     }, context_instance=RequestContext(request)) | ||||
| template_detail = staff_member_required(template_detail) | ||||
|  | ||||
| #################### | ||||
| # Helper functions # | ||||
| #################### | ||||
|  | ||||
| def missing_docutils_page(request): | ||||
|     """Display an error message for people without docutils""" | ||||
|     return render_to_response('admin_doc/missing_docutils.html') | ||||
|  | ||||
| def load_all_installed_template_libraries(): | ||||
|     # Load/register all template tag libraries from installed apps. | ||||
|     for e in templatetags.__path__: | ||||
|         libraries = [os.path.splitext(p)[0] for p in os.listdir(e) if p.endswith('.py') and p[0].isalpha()] | ||||
|         for library_name in libraries: | ||||
|             try: | ||||
|                 lib = template.get_library("django.templatetags.%s" % library_name.split('.')[-1]) | ||||
|             except template.InvalidTemplateLibrary: | ||||
|                 pass | ||||
|  | ||||
| def get_return_data_type(func_name): | ||||
|     """Return a somewhat-helpful data type given a function name""" | ||||
|     if func_name.startswith('get_'): | ||||
|         if func_name.endswith('_list'): | ||||
|             return 'List' | ||||
|         elif func_name.endswith('_count'): | ||||
|             return 'Integer' | ||||
|     return '' | ||||
|  | ||||
| # Maps Field objects to their human-readable data types, as strings. | ||||
| # Column-type strings can contain format strings; they'll be interpolated | ||||
| # against the values of Field.__dict__ before being output. | ||||
| # If a column type is set to None, it won't be included in the output. | ||||
| DATA_TYPE_MAPPING = { | ||||
|     'AutoField'                 : _('Integer'), | ||||
|     'BooleanField'              : _('Boolean (Either True or False)'), | ||||
|     'CharField'                 : _('String (up to %(max_length)s)'), | ||||
|     'CommaSeparatedIntegerField': _('Comma-separated integers'), | ||||
|     'DateField'                 : _('Date (without time)'), | ||||
|     'DateTimeField'             : _('Date (with time)'), | ||||
|     'DecimalField'              : _('Decimal number'), | ||||
|     'EmailField'                : _('E-mail address'), | ||||
|     'FileField'                 : _('File path'), | ||||
|     'FilePathField'             : _('File path'), | ||||
|     'FloatField'                : _('Floating point number'), | ||||
|     'ForeignKey'                : _('Integer'), | ||||
|     'ImageField'                : _('File path'), | ||||
|     'IntegerField'              : _('Integer'), | ||||
|     'IPAddressField'            : _('IP address'), | ||||
|     'ManyToManyField'           : '', | ||||
|     'NullBooleanField'          : _('Boolean (Either True, False or None)'), | ||||
|     'OneToOneField'             : _('Relation to parent model'), | ||||
|     'PhoneNumberField'          : _('Phone number'), | ||||
|     'PositiveIntegerField'      : _('Integer'), | ||||
|     'PositiveSmallIntegerField' : _('Integer'), | ||||
|     'SlugField'                 : _('String (up to %(max_length)s)'), | ||||
|     'SmallIntegerField'         : _('Integer'), | ||||
|     'TextField'                 : _('Text'), | ||||
|     'TimeField'                 : _('Time'), | ||||
|     'URLField'                  : _('URL'), | ||||
|     'USStateField'              : _('U.S. state (two uppercase letters)'), | ||||
|     'XMLField'                  : _('XML text'), | ||||
| } | ||||
|  | ||||
| def get_readable_field_data_type(field): | ||||
|     return DATA_TYPE_MAPPING[field.get_internal_type()] % field.__dict__ | ||||
|  | ||||
| def extract_views_from_urlpatterns(urlpatterns, base=''): | ||||
|     """ | ||||
|     Return a list of views from a list of urlpatterns. | ||||
|  | ||||
|     Each object in the returned list is a two-tuple: (view_func, regex) | ||||
|     """ | ||||
|     views = [] | ||||
|     for p in urlpatterns: | ||||
|         if hasattr(p, '_get_callback'): | ||||
|             try: | ||||
|                 views.append((p._get_callback(), base + p.regex.pattern)) | ||||
|             except ViewDoesNotExist: | ||||
|                 continue | ||||
|         elif hasattr(p, '_get_url_patterns'): | ||||
|             try: | ||||
|                 patterns = p.url_patterns | ||||
|             except ImportError: | ||||
|                 continue | ||||
|             views.extend(extract_views_from_urlpatterns(patterns, base + p.regex.pattern)) | ||||
|         else: | ||||
|             raise TypeError, _("%s does not appear to be a urlpattern object") % p | ||||
|     return views | ||||
|  | ||||
| named_group_matcher = re.compile(r'\(\?P(<\w+>).+?\)') | ||||
| non_named_group_matcher = re.compile(r'\(.*?\)') | ||||
|  | ||||
| def simplify_regex(pattern): | ||||
|     """ | ||||
|     Clean up urlpattern regexes into something somewhat readable by Mere Humans: | ||||
|     turns something like "^(?P<sport_slug>\w+)/athletes/(?P<athlete_slug>\w+)/$" | ||||
|     into "<sport_slug>/athletes/<athlete_slug>/" | ||||
|     """ | ||||
|     # handle named groups first | ||||
|     pattern = named_group_matcher.sub(lambda m: m.group(1), pattern) | ||||
|  | ||||
|     # handle non-named groups | ||||
|     pattern = non_named_group_matcher.sub("<var>", pattern) | ||||
|  | ||||
|     # clean up any outstanding regex-y characters. | ||||
|     pattern = pattern.replace('^', '').replace('$', '').replace('?', '').replace('//', '/').replace('\\', '') | ||||
|     if not pattern.startswith('/'): | ||||
|         pattern = '/' + pattern | ||||
|     return pattern | ||||
		Reference in New Issue
	
	Block a user