Ticket #6262: cache_templates.6.diff
File cache_templates.6.diff, 51.2 KB (added by , 15 years ago) |
---|
-
django/test/utils.py
37 37 - Set the email backend to the locmem email backend. 38 38 - Setting the active locale to match the LANGUAGE_CODE setting. 39 39 """ 40 Template.original_render = Template. render41 Template. render = instrumented_test_render40 Template.original_render = Template._render 41 Template._render = instrumented_test_render 42 42 43 43 mail.original_SMTPConnection = mail.SMTPConnection 44 44 mail.SMTPConnection = locmem.EmailBackend … … 57 57 - Restoring the email sending functions 58 58 59 59 """ 60 Template. render = Template.original_render60 Template._render = Template.original_render 61 61 del Template.original_render 62 62 63 63 mail.SMTPConnection = mail.original_SMTPConnection -
django/conf/project_template/settings.py
52 52 53 53 # List of callables that know how to import templates from various sources. 54 54 TEMPLATE_LOADERS = ( 55 'django.template.loaders.filesystem.load _template_source',56 'django.template.loaders.app_directories.load _template_source',57 # 'django.template.loaders.eggs.load _template_source',55 'django.template.loaders.filesystem.loader', 56 'django.template.loaders.app_directories.loader', 57 # 'django.template.loaders.eggs.loader', 58 58 ) 59 59 60 60 MIDDLEWARE_CLASSES = ( -
django/conf/global_settings.py
158 158 # See the comments in django/core/template/loader.py for interface 159 159 # documentation. 160 160 TEMPLATE_LOADERS = ( 161 'django.template.loaders.filesystem.load _template_source',162 'django.template.loaders.app_directories.load _template_source',163 # 'django.template.loaders.eggs.load _template_source',161 'django.template.loaders.filesystem.loader', 162 'django.template.loaders.app_directories.loader', 163 # 'django.template.loaders.eggs.loader', 164 164 ) 165 165 166 166 # List of processors used by RequestContext to populate the context. -
django/views/debug.py
76 76 for t in source_list_func(str(self.exc_value))] 77 77 except (ImportError, AttributeError): 78 78 template_list = [] 79 if hasattr(loader, '__class__'): 80 loader_name = loader.__module__ + '.' + loader.__class__.__name__ 81 else: 82 loader_name = loader.__module__ + '.' + loader.__name__ 79 83 self.loader_debug_info.append({ 80 'loader': loader .__module__ + '.' + loader.__name__,84 'loader': loader_name, 81 85 'templates': template_list, 82 86 }) 83 87 if settings.TEMPLATE_DEBUG and hasattr(self.exc_value, 'source'): -
django/template/__init__.py
173 173 for subnode in node: 174 174 yield subnode 175 175 176 def _render(self, context): 177 return self.nodelist.render(context) 178 176 179 def render(self, context): 177 180 "Display stage -- can be called many times" 178 return self.nodelist.render(context) 181 context.render_context.push() 182 try: 183 return self._render(context) 184 finally: 185 context.render_context.pop() 179 186 180 187 def compile_string(template_string, origin): 181 188 "Compiles template_string into NodeList ready for rendering" -
django/template/loaders/app_directories.py
9 9 from django.conf import settings 10 10 from django.core.exceptions import ImproperlyConfigured 11 11 from django.template import TemplateDoesNotExist 12 from django.template.loader import BaseLoader 12 13 from django.utils._os import safe_join 13 14 from django.utils.importlib import import_module 14 15 … … 27 28 # It won't change, so convert it to a tuple to save memory. 28 29 app_template_dirs = tuple(app_template_dirs) 29 30 30 def get_template_sources(template_name, template_dirs=None): 31 """ 32 Returns the absolute paths to "template_name", when appended to each 33 directory in "template_dirs". Any paths that don't lie inside one of the 34 template dirs are excluded from the result set, for security reasons. 35 """ 36 if not template_dirs: 37 template_dirs = app_template_dirs 38 for template_dir in template_dirs: 39 try: 40 yield safe_join(template_dir, template_name) 41 except UnicodeDecodeError: 42 # The template dir name was a bytestring that wasn't valid UTF-8. 43 raise 44 except ValueError: 45 # The joined path was located outside of template_dir. 46 pass 31 class Loader(BaseLoader): 32 is_usable = True 47 33 34 def get_template_sources(self, template_name, template_dirs=None): 35 """ 36 Returns the absolute paths to "template_name", when appended to each 37 directory in "template_dirs". Any paths that don't lie inside one of the 38 template dirs are excluded from the result set, for security reasons. 39 """ 40 if not template_dirs: 41 template_dirs = app_template_dirs 42 for template_dir in template_dirs: 43 try: 44 yield safe_join(template_dir, template_name) 45 except UnicodeDecodeError: 46 # The template dir name was a bytestring that wasn't valid UTF-8. 47 raise 48 except ValueError: 49 # The joined path was located outside of template_dir. 50 pass 51 52 def load_template_source(self, template_name, template_dirs=None): 53 for filepath in self.get_template_sources(template_name, template_dirs): 54 try: 55 file = open(filepath) 56 try: 57 return (file.read().decode(settings.FILE_CHARSET), filepath) 58 finally: 59 file.close() 60 except IOError: 61 pass 62 raise TemplateDoesNotExist, template_name 63 64 loader = Loader() 65 48 66 def load_template_source(template_name, template_dirs=None): 49 for filepath in get_template_sources(template_name, template_dirs): 50 try: 51 return (open(filepath).read().decode(settings.FILE_CHARSET), filepath) 52 except IOError: 53 pass 54 raise TemplateDoesNotExist, template_name 67 # For backwards compatibility 68 import warnings 69 warnings.warn( 70 "'django.template.loaders.app_directories.load_template_source' is deprecated; use 'django.template.loaders.app_directories' instead.", 71 PendingDeprecationWarning 72 ) 73 return loader.load_template_source(template_name, template_dirs) 55 74 load_template_source.is_usable = True -
django/template/loaders/filesystem.py
4 4 5 5 from django.conf import settings 6 6 from django.template import TemplateDoesNotExist 7 from django.template.loader import BaseLoader 7 8 from django.utils._os import safe_join 8 9 9 def get_template_sources(template_name, template_dirs=None): 10 """ 11 Returns the absolute paths to "template_name", when appended to each 12 directory in "template_dirs". Any paths that don't lie inside one of the 13 template dirs are excluded from the result set, for security reasons. 14 """ 15 if not template_dirs: 16 template_dirs = settings.TEMPLATE_DIRS 17 for template_dir in template_dirs: 18 try: 19 yield safe_join(template_dir, template_name) 20 except UnicodeDecodeError: 21 # The template dir name was a bytestring that wasn't valid UTF-8. 22 raise 23 except ValueError: 24 # The joined path was located outside of this particular 25 # template_dir (it might be inside another one, so this isn't 26 # fatal). 27 pass 10 class Loader(BaseLoader): 11 is_usable = True 28 12 13 def get_template_sources(self, template_name, template_dirs=None): 14 """ 15 Returns the absolute paths to "template_name", when appended to each 16 directory in "template_dirs". Any paths that don't lie inside one of the 17 template dirs are excluded from the result set, for security reasons. 18 """ 19 if not template_dirs: 20 template_dirs = settings.TEMPLATE_DIRS 21 for template_dir in template_dirs: 22 try: 23 yield safe_join(template_dir, template_name) 24 except UnicodeDecodeError: 25 # The template dir name was a bytestring that wasn't valid UTF-8. 26 raise 27 except ValueError: 28 # The joined path was located outside of this particular 29 # template_dir (it might be inside another one, so this isn't 30 # fatal). 31 pass 32 33 def load_template_source(self, template_name, template_dirs=None): 34 tried = [] 35 for filepath in self.get_template_sources(template_name, template_dirs): 36 try: 37 file = open(filepath) 38 try: 39 return (file.read().decode(settings.FILE_CHARSET), filepath) 40 finally: 41 file.close() 42 except IOError: 43 tried.append(filepath) 44 if tried: 45 error_msg = "Tried %s" % tried 46 else: 47 error_msg = "Your TEMPLATE_DIRS setting is empty. Change it to point to at least one template directory." 48 raise TemplateDoesNotExist, error_msg 49 load_template_source.is_usable = True 50 51 loader = Loader() 52 29 53 def load_template_source(template_name, template_dirs=None): 30 tried = [] 31 for filepath in get_template_sources(template_name, template_dirs): 32 try: 33 return (open(filepath).read().decode(settings.FILE_CHARSET), filepath) 34 except IOError: 35 tried.append(filepath) 36 if tried: 37 error_msg = "Tried %s" % tried 38 else: 39 error_msg = "Your TEMPLATE_DIRS setting is empty. Change it to point to at least one template directory." 40 raise TemplateDoesNotExist, error_msg 54 # For backwards compatibility 55 import warnings 56 warnings.warn( 57 "'django.template.loaders.filesystem.load_template_source' is deprecated; use 'django.template.loaders.filesystem' instead.", 58 PendingDeprecationWarning 59 ) 60 return loader.load_template_source(template_name, template_dirs) 41 61 load_template_source.is_usable = True -
django/template/loaders/eggs.py
6 6 resource_string = None 7 7 8 8 from django.template import TemplateDoesNotExist 9 from django.template.loader import BaseLoader 9 10 from django.conf import settings 10 11 12 class Loader(BaseLoader): 13 is_usable = resource_string is not None 14 15 def load_template_source(self, template_name, template_dirs=None): 16 """ 17 Loads templates from Python eggs via pkg_resource.resource_string. 18 19 For every installed app, it tries to get the resource (app, template_name). 20 """ 21 if resource_string is not None: 22 pkg_name = 'templates/' + template_name 23 for app in settings.INSTALLED_APPS: 24 try: 25 return (resource_string(app, pkg_name).decode(settings.FILE_CHARSET), 'egg:%s:%s' % (app, pkg_name)) 26 except: 27 pass 28 raise TemplateDoesNotExist, template_name 29 30 loader = Loader() 31 11 32 def load_template_source(template_name, template_dirs=None): 12 """ 13 Loads templates from Python eggs via pkg_resource.resource_string. 14 15 For every installed app, it tries to get the resource (app, template_name). 16 """ 17 if resource_string is not None: 18 pkg_name = 'templates/' + template_name 19 for app in settings.INSTALLED_APPS: 20 try: 21 return (resource_string(app, pkg_name).decode(settings.FILE_CHARSET), 'egg:%s:%s' % (app, pkg_name)) 22 except: 23 pass 24 raise TemplateDoesNotExist, template_name 33 import warnings 34 warnings.warn( 35 "'django.template.loaders.eggs.load_template_source' is deprecated; use 'django.template.loaders.eggs' instead.", 36 PendingDeprecationWarning 37 ) 38 return loader.load_template_source(template_name, template_dirs) 25 39 load_template_source.is_usable = resource_string is not None -
django/template/loaders/cached.py
1 """ 2 Wrapper class that takes a list of template loaders as an argument and attempts 3 to load templates from them in order, caching the result. 4 """ 5 6 from django.template import TemplateDoesNotExist 7 from django.template.loader import BaseLoader, get_template_from_string, find_template_loader, make_origin 8 from django.utils.importlib import import_module 9 from django.core.exceptions import ImproperlyConfigured 10 11 class Loader(BaseLoader): 12 is_usable = True 13 14 def __init__(self, loaders): 15 self.template_cache = {} 16 self._loaders = loaders 17 self._cached_loaders = [] 18 19 @property 20 def loaders(self): 21 # Resolve loaders on demand to avoid circular imports 22 if not self._cached_loaders: 23 for loader in self._loaders: 24 self._cached_loaders.append(find_template_loader(loader)) 25 return self._cached_loaders 26 27 def find_template(self, name, dirs=None): 28 for loader in self.loaders: 29 try: 30 template, display_name = loader(name, dirs) 31 return (template, make_origin(display_name, loader, name, dirs)) 32 except TemplateDoesNotExist: 33 pass 34 raise TemplateDoesNotExist, name 35 36 def load_template(self, template_name, template_dirs=None): 37 if template_name not in self.template_cache: 38 template, origin = self.find_template(template_name, template_dirs) 39 if not hasattr(template, 'render'): 40 template = get_template_from_string(template, origin, template_name) 41 self.template_cache[template_name] = (template, origin) 42 return self.template_cache[template_name] 43 44 def reset(self): 45 "Empty the template cache." 46 self.template_cache.clear() -
django/template/defaulttags.py
56 56 57 57 class CycleNode(Node): 58 58 def __init__(self, cyclevars, variable_name=None): 59 self.cycle _iter = itertools_cycle(cyclevars)59 self.cyclevars = cyclevars 60 60 self.variable_name = variable_name 61 61 62 62 def render(self, context): 63 value = self.cycle_iter.next().resolve(context) 63 if self not in context.render_context: 64 context.render_context[self] = itertools_cycle(self.cyclevars) 65 cycle_iter = context.render_context[self] 66 value = cycle_iter.next().resolve(context) 64 67 if self.variable_name: 65 68 context[self.variable_name] = value 66 69 return value -
django/template/context.py
12 12 "pop() has been called more times than push()" 13 13 pass 14 14 15 class Context(object): 16 "A stack container for variable context" 17 def __init__(self, dict_=None, autoescape=True, current_app=None): 15 class BaseContext(object): 16 def __init__(self, dict_=None): 18 17 dict_ = dict_ or {} 19 18 self.dicts = [dict_] 20 self.autoescape = autoescape21 self.current_app = current_app22 19 23 20 def __repr__(self): 24 21 return repr(self.dicts) 25 22 26 23 def __iter__(self): 27 for d in self.dicts:24 for d in reversed(self.dicts): 28 25 yield d 29 26 30 27 def push(self): 31 28 d = {} 32 self.dicts = [d] + self.dicts29 self.dicts.append(d) 33 30 return d 34 31 35 32 def pop(self): 36 33 if len(self.dicts) == 1: 37 34 raise ContextPopException 38 return self.dicts.pop( 0)35 return self.dicts.pop() 39 36 40 37 def __setitem__(self, key, value): 41 38 "Set a variable in the current context" 42 self.dicts[ 0][key] = value39 self.dicts[-1][key] = value 43 40 44 41 def __getitem__(self, key): 45 42 "Get a variable's value, starting at the current context and going upward" 46 for d in self.dicts:43 for d in reversed(self.dicts): 47 44 if key in d: 48 45 return d[key] 49 46 raise KeyError(key) 50 47 51 48 def __delitem__(self, key): 52 49 "Delete a variable from the current context" 53 del self.dicts[ 0][key]50 del self.dicts[-1][key] 54 51 55 52 def has_key(self, key): 56 53 for d in self.dicts: … … 58 55 return True 59 56 return False 60 57 61 __contains__ = has_key 58 def __contains__(self, key): 59 return self.has_key(key) 62 60 63 61 def get(self, key, otherwise=None): 64 for d in self.dicts:62 for d in reversed(self.dicts): 65 63 if key in d: 66 64 return d[key] 67 65 return otherwise 68 66 67 class Context(BaseContext): 68 "A stack container for variable context" 69 def __init__(self, dict_=None, autoescape=True, current_app=None): 70 self.autoescape = autoescape 71 self.current_app = current_app 72 self.render_context = RenderContext() 73 super(Context, self).__init__(dict_) 74 69 75 def update(self, other_dict): 70 76 "Like dict.update(). Pushes an entire dictionary's keys and values onto the context." 71 77 if not hasattr(other_dict, '__getitem__'): 72 78 raise TypeError('other_dict must be a mapping (dictionary-like) object.') 73 self.dicts = [other_dict] + self.dicts79 self.dicts.append(other_dict) 74 80 return other_dict 75 81 82 class RenderContext(BaseContext): 83 """ 84 A stack container for storing Template state. 85 86 RenderContext simplifies the implementation of template Nodes by providing a 87 safe place to store state between invocations of a node's `render` method. 88 89 The RenderContext also provides scoping rules that are more sensible for 90 'template local' variables. The render context stack is pushed before each 91 template is rendered, creating a fresh scope with nothing in it. Name 92 resolution fails if a variable is not found at the top of the RequestContext 93 stack. Thus, variables are local to a specific template and don't affect the 94 rendering of other templates as they would if they were stored in the normal 95 template context. 96 """ 97 def __iter__(self): 98 for d in self.dicts[-1]: 99 yield d 100 101 def has_key(self, key): 102 return key in self.dicts[-1] 103 104 def get(self, key, otherwise=None): 105 d = self.dicts[-1] 106 if key in d: 107 return d[key] 108 return otherwise 109 76 110 # This is a function rather than module-level procedural code because we only 77 111 # want it to execute if somebody uses RequestContext. 78 112 def get_standard_processors(): -
django/template/loader_tags.py
1 1 from django.template import TemplateSyntaxError, TemplateDoesNotExist, Variable 2 2 from django.template import Library, Node, TextNode 3 from django.template.loader import get_template , get_template_from_string, find_template_source3 from django.template.loader import get_template 4 4 from django.conf import settings 5 5 from django.utils.safestring import mark_safe 6 6 7 7 register = Library() 8 8 9 BLOCK_CONTEXT_KEY = 'block_context' 10 9 11 class ExtendsError(Exception): 10 12 pass 11 13 14 class BlockContext(object): 15 def __init__(self): 16 # Dictionary of FIFO queues. 17 self.blocks = {} 18 19 def add_blocks(self, blocks): 20 for name, block in blocks.iteritems(): 21 if name in self.blocks: 22 self.blocks[name].insert(0, block) 23 else: 24 self.blocks[name] = [block] 25 26 def pop(self, name): 27 try: 28 return self.blocks[name].pop() 29 except (IndexError, KeyError): 30 return None 31 32 def push(self, name, block): 33 self.blocks[name].append(block) 34 35 def get_block(self, name): 36 try: 37 return self.blocks[name][-1] 38 except (IndexError, KeyError): 39 return None 40 12 41 class BlockNode(Node): 13 42 def __init__(self, name, nodelist, parent=None): 14 43 self.name, self.nodelist, self.parent = name, nodelist, parent … … 17 46 return "<Block Node: %s. Contents: %r>" % (self.name, self.nodelist) 18 47 19 48 def render(self, context): 49 block_context = context.render_context.get(BLOCK_CONTEXT_KEY) 20 50 context.push() 21 # Save context in case of block.super(). 22 self.context = context 23 context['block'] = self 24 result = self.nodelist.render(context) 51 if block_context is None: 52 context['block'] = self 53 result = self.nodelist.render(context) 54 else: 55 push = block = block_context.pop(self.name) 56 if block is None: 57 block = self 58 # Create new block so we can store context without thread-safety issues. 59 block = BlockNode(block.name, block.nodelist) 60 block.context = context 61 context['block'] = block 62 result = block.nodelist.render(context) 63 if push is not None: 64 block_context.push(self.name, push) 25 65 context.pop() 26 66 return result 27 67 28 68 def super(self): 29 if self.parent: 30 return mark_safe(self.parent.render(self.context)) 69 render_context = self.context.render_context 70 if (BLOCK_CONTEXT_KEY in render_context and 71 render_context[BLOCK_CONTEXT_KEY].get_block(self.name) is not None): 72 return mark_safe(self.render(self.context)) 31 73 return '' 32 74 33 def add_parent(self, nodelist):34 if self.parent:35 self.parent.add_parent(nodelist)36 else:37 self.parent = BlockNode(self.name, nodelist)38 39 75 class ExtendsNode(Node): 40 76 must_be_first = True 41 77 … … 43 79 self.nodelist = nodelist 44 80 self.parent_name, self.parent_name_expr = parent_name, parent_name_expr 45 81 self.template_dirs = template_dirs 46 82 self.blocks = dict([(n.name, n) for n in nodelist.get_nodes_by_type(BlockNode)]) 83 47 84 def __repr__(self): 48 85 if self.parent_name_expr: 49 86 return "<ExtendsNode: extends %s>" % self.parent_name_expr.token … … 61 98 if hasattr(parent, 'render'): 62 99 return parent # parent is a Template object 63 100 try: 64 source, origin = find_template_source(parent, self.template_dirs)101 return get_template(parent) 65 102 except TemplateDoesNotExist: 66 103 raise TemplateSyntaxError, "Template %r cannot be extended, because it doesn't exist" % parent 67 else:68 return get_template_from_string(source, origin, parent)69 104 70 105 def render(self, context): 71 106 compiled_parent = self.get_parent(context) 72 parent_blocks = dict([(n.name, n) for n in compiled_parent.nodelist.get_nodes_by_type(BlockNode)])73 for block_node in self.nodelist.get_nodes_by_type(BlockNode):74 # Check for a BlockNode with this node's name, and replace it if found.75 try:76 parent_block = parent_blocks[block_node.name]77 except KeyError:78 # This BlockNode wasn't found in the parent template, but the79 # parent block might be defined in the parent's *parent*, so we80 # add this BlockNode to the parent's ExtendsNode nodelist, so81 # it'll be checked when the parent node's render() is called.82 107 83 # Find out if the parent template has a parent itself 84 for node in compiled_parent.nodelist: 85 if not isinstance(node, TextNode): 86 # If the first non-text node is an extends, handle it. 87 if isinstance(node, ExtendsNode): 88 node.nodelist.append(block_node) 89 # Extends must be the first non-text node, so once you find 90 # the first non-text node you can stop looking. 91 break 92 else: 93 # Keep any existing parents and add a new one. Used by BlockNode. 94 parent_block.parent = block_node.parent 95 parent_block.add_parent(parent_block.nodelist) 96 parent_block.nodelist = block_node.nodelist 97 return compiled_parent.render(context) 108 if BLOCK_CONTEXT_KEY not in context.render_context: 109 context.render_context[BLOCK_CONTEXT_KEY] = BlockContext() 110 block_context = context.render_context[BLOCK_CONTEXT_KEY] 98 111 112 # Add the block nodes from this node to the block context 113 block_context.add_blocks(self.blocks) 114 115 # If this block's parent doesn't have an extends node it is the root, 116 # and its block nodes also need to be added to the block context. 117 for node in compiled_parent.nodelist: 118 # The ExtendsNode has to be the first non-text node. 119 if not isinstance(node, TextNode): 120 if not isinstance(node, ExtendsNode): 121 blocks = dict([(n.name, n) for n in 122 compiled_parent.nodelist.get_nodes_by_type(BlockNode)]) 123 block_context.add_blocks(blocks) 124 break 125 126 # Call Template._render explicitly so the parser context stays 127 # the same. 128 return compiled_parent._render(context) 129 99 130 class ConstantIncludeNode(Node): 100 131 def __init__(self, template_path): 101 132 try: -
django/template/loader.py
27 27 28 28 template_source_loaders = None 29 29 30 class BaseLoader(object): 31 is_usable = False 32 33 def __call__(self, template_name, template_dirs=None): 34 return self.load_template(template_name, template_dirs) 35 36 def load_template(self, template_name, template_dirs=None): 37 source, origin = self.load_template_source(template_name, template_dirs) 38 template = get_template_from_string(source, name=template_name) 39 return template, origin 40 41 def load_template_source(self, template_name, template_dirs=None): 42 """ 43 Returns a tuple containing the source and origin for the given template 44 name. 45 46 """ 47 raise NotImplementedError 48 49 def reset(self): 50 """ 51 Resets any state maintained by the loader instance (e.g., cached 52 templates or cached loader modules). 53 54 """ 55 pass 56 30 57 class LoaderOrigin(Origin): 31 58 def __init__(self, display_name, loader, name, dirs): 32 59 super(LoaderOrigin, self).__init__(display_name) … … 41 68 else: 42 69 return None 43 70 44 def find_template_source(name, dirs=None): 71 def find_template_loader(loader): 72 if hasattr(loader, '__iter__'): 73 loader, args = loader[0], loader[1:] 74 else: 75 args = [] 76 if isinstance(loader, basestring): 77 try: 78 mod = import_module(loader) 79 except ImportError: 80 # Try loading module the old way - string is full path to callable 81 i = loader.rfind('.') 82 module, attr = loader[:i], loader[i+1:] 83 try: 84 mod = import_module(module) 85 except ImportError, e: 86 raise ImproperlyConfigured('Error importing template source loader %s: "%s"' % (loader, e)) 87 try: 88 func = getattr(mod, attr) 89 except AttributeError, e: 90 raise ImproperlyConfigured('Error importing template source loader %s: "%s"' % (loader, e)) 91 else: 92 try: 93 Loader = getattr(mod, 'Loader') 94 except AttributeError, e: 95 raise ImproperlyConfigured('Error importing template source loader %s: "%s"' % (loader, e)) 96 func = Loader(*args) 97 if not func.is_usable: 98 import warnings 99 warnings.warn("Your TEMPLATE_LOADERS setting includes %r, but your Python installation doesn't support that type of template loading. Consider removing that line from TEMPLATE_LOADERS." % loader) 100 else: 101 return func 102 else: 103 raise ImproperlyConfigured, 'Loader does not define a "load_template" callable template source loader' 104 105 def find_template(name, dirs=None): 45 106 # Calculate template_source_loaders the first time the function is executed 46 107 # because putting this logic in the module-level namespace may cause 47 108 # circular import errors. See Django ticket #1292. 48 109 global template_source_loaders 49 110 if template_source_loaders is None: 50 111 loaders = [] 51 for path in settings.TEMPLATE_LOADERS: 52 i = path.rfind('.') 53 module, attr = path[:i], path[i+1:] 54 try: 55 mod = import_module(module) 56 except ImportError, e: 57 raise ImproperlyConfigured, 'Error importing template source loader %s: "%s"' % (module, e) 58 try: 59 func = getattr(mod, attr) 60 except AttributeError: 61 raise ImproperlyConfigured, 'Module "%s" does not define a "%s" callable template source loader' % (module, attr) 62 if not func.is_usable: 63 import warnings 64 warnings.warn("Your TEMPLATE_LOADERS setting includes %r, but your Python installation doesn't support that type of template loading. Consider removing that line from TEMPLATE_LOADERS." % path) 65 else: 66 loaders.append(func) 112 for loader_name in settings.TEMPLATE_LOADERS: 113 loader = find_template_loader(loader_name) 114 if loader is not None: 115 loaders.append(loader) 67 116 template_source_loaders = tuple(loaders) 68 117 for loader in template_source_loaders: 69 118 try: … … 73 122 pass 74 123 raise TemplateDoesNotExist, name 75 124 125 def find_template_source(name, dirs=None): 126 # For backward compatibility 127 import warnings 128 warnings.warn( 129 "`django.template.loaders.find_template_source` is deprecated; use `django.template.loaders.find_template` instead.", 130 PendingDeprecationWarning 131 ) 132 template, origin = find_template(name, dirs) 133 if hasattr(template, 'render'): 134 raise Exception("Found a compiled template that is incompatible with the deprecated `django.template.loaders.find_template_source` function.") 135 return template, origin 136 76 137 def get_template(template_name): 77 138 """ 78 139 Returns a compiled Template object for the given template name, 79 140 handling template inheritance recursively. 80 141 """ 81 source, origin = find_template_source(template_name) 82 template = get_template_from_string(source, origin, template_name) 142 template, origin = find_template(template_name) 143 if not hasattr(template, 'render'): 144 # template needs to be compiled 145 template = get_template_from_string(template, origin, template_name) 83 146 return template 84 147 85 148 def get_template_from_string(source, origin=None, name=None): -
tests/regressiontests/test_client_regress/models.py
10 10 from django.core.urlresolvers import reverse 11 11 from django.core.exceptions import SuspiciousOperation 12 12 from django.template import TemplateDoesNotExist, TemplateSyntaxError, Context 13 from django.template import loader 13 14 14 15 class AssertContainsTests(TestCase): 15 16 def setUp(self): … … 436 437 437 438 class TemplateExceptionTests(TestCase): 438 439 def setUp(self): 440 # Reset the loaders so they don't try to render cached templates. 441 if loader.template_source_loaders is not None: 442 for template_loader in loader.template_source_loaders: 443 if hasattr(template_loader, 'reset'): 444 template_loader.reset() 439 445 self.old_templates = settings.TEMPLATE_DIRS 440 446 settings.TEMPLATE_DIRS = () 441 447 -
tests/regressiontests/templates/tests.py
15 15 from django import template 16 16 from django.core import urlresolvers 17 17 from django.template import loader 18 from django.template.loaders import app_directories, filesystem 18 from django.template.loaders import app_directories, filesystem, cached 19 19 from django.utils.translation import activate, deactivate, ugettext as _ 20 20 from django.utils.safestring import mark_safe 21 21 from django.utils.tzinfo import LocalTimezone … … 105 105 # Fix expected sources so they are normcased and abspathed 106 106 expected_sources = [os.path.normcase(os.path.abspath(s)) for s in expected_sources] 107 107 # Test the two loaders (app_directores and filesystem). 108 func1 = lambda p, t: list(app_directories. get_template_sources(p, t))109 func2 = lambda p, t: list(filesystem. get_template_sources(p, t))108 func1 = lambda p, t: list(app_directories.loader.get_template_sources(p, t)) 109 func2 = lambda p, t: list(filesystem.loader.get_template_sources(p, t)) 110 110 for func in (func1, func2): 111 111 if isinstance(expected_sources, list): 112 112 self.assertEqual(func(path, template_dirs), expected_sources) … … 197 197 except KeyError: 198 198 raise template.TemplateDoesNotExist, template_name 199 199 200 cache_loader = cached.Loader(('test_template_loader',)) 201 cache_loader._cached_loaders = (test_template_loader,) 202 200 203 old_template_loaders = loader.template_source_loaders 201 loader.template_source_loaders = [ test_template_loader]204 loader.template_source_loaders = [cache_loader] 202 205 203 206 failures = [] 204 207 tests = template_tests.items() … … 231 234 for invalid_str, result in [('', normal_string_result), 232 235 (expected_invalid_str, invalid_string_result)]: 233 236 settings.TEMPLATE_STRING_IF_INVALID = invalid_str 234 try: 235 test_template = loader.get_template(name) 236 output = self.render(test_template, vals) 237 except ContextStackException: 238 failures.append("Template test (TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Context stack was left imbalanced" % (invalid_str, name)) 239 continue 240 except Exception: 241 exc_type, exc_value, exc_tb = sys.exc_info() 242 if exc_type != result: 243 tb = '\n'.join(traceback.format_exception(exc_type, exc_value, exc_tb)) 244 failures.append("Template test (TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Got %s, exception: %s\n%s" % (invalid_str, name, exc_type, exc_value, tb)) 245 continue 246 if output != result: 247 failures.append("Template test (TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Expected %r, got %r" % (invalid_str, name, result, output)) 237 for is_cached in (False, True): 238 try: 239 test_template = loader.get_template(name) 240 output = self.render(test_template, vals) 241 except ContextStackException: 242 failures.append("Template test (Cached='%s', TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Context stack was left imbalanced" % (is_cached, invalid_str, name)) 243 continue 244 except Exception: 245 exc_type, exc_value, exc_tb = sys.exc_info() 246 if exc_type != result: 247 tb = '\n'.join(traceback.format_exception(exc_type, exc_value, exc_tb)) 248 failures.append("Template test (Cached='%s', TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Got %s, exception: %s\n%s" % (is_cached, invalid_str, name, exc_type, exc_value, tb)) 249 continue 250 if output != result: 251 failures.append("Template test (Cached='%s', TEMPLATE_STRING_IF_INVALID='%s'): %s -- FAILED. Expected %r, got %r" % (is_cached, invalid_str, name, result, output)) 252 cache_loader.reset() 248 253 249 254 if 'LANGUAGE_CODE' in vals[1]: 250 255 deactivate() -
tests/regressiontests/templates/context.py
10 10 >>> c['a'] = 2 11 11 >>> c['a'] 12 12 2 13 >>> c.get('a') 14 2 13 15 >>> c.pop() 14 16 {'a': 2} 15 17 >>> c['a'] 16 18 1 19 >>> c.get('foo', 42) 20 42 17 21 """ 18 22 -
AUTHORS
283 283 Martin Mahner <http://www.mahner.org/> 284 284 Matt McClanahan <http://mmcc.cx/> 285 285 Frantisek Malina <vizualbod@vizualbod.com> 286 Mike Malone <mjmalone@gmail.com> 286 287 Martin Maney <http://www.chipy.org/Martin_Maney> 287 288 masonsimon+django@gmail.com 288 289 Manuzhai -
docs/internals/deprecation.txt
28 28 * The many to many SQL generation functions on the database backends 29 29 will be removed. These have been deprecated since the 1.2 release. 30 30 31 * The ability to specify a callable loader rather than a module with a 32 ``Loader`` class will be removed, as will the ``load_template_source`` 33 functions that are included with the built in template loaders for 34 backwards compatibility. These have been deprecated since the 1.2 35 release. 36 31 37 * 2.0 32 38 * ``django.views.defaults.shortcut()``. This function has been moved 33 39 to ``django.contrib.contenttypes.views.shortcut()`` as part of the -
docs/howto/custom-template-tags.txt
463 463 automatically escaped, which may not be the desired behavior if the template 464 464 tag is used inside a ``{% autoescape off %}`` block. 465 465 466 .. _template_tag_thread_safety: 467 468 Thread-safety considerations 469 ~~~~~~~~~~~~~~~~~~~~~~~~~~~~ 470 471 .. versionadded:: 1.2 472 473 Once a node is parsed, its ``render`` method may be called any number of times. 474 Since Django is sometimes run in multi-threaded environments, a single node may 475 be simultaneously rendering with different contexts in response to two separate 476 requests. Therefore, it's important to make sure your template tags are thread 477 safe. 478 479 To make sure your template tags are thread safe, you should never store state 480 information on the node itself. For example, Django provides a builtin ``cycle`` 481 template tag that cycles among a list of given strings each time it's rendered:: 482 483 {% for o in some_list %} 484 <tr class="{% cycle 'row1' 'row2' %}> 485 ... 486 </tr> 487 {% endfor %} 488 489 A naive implementation of ``CycleNode`` might look something like this:: 490 491 class CycleNode(Node): 492 def __init__(self, cyclevars): 493 self.cycle_iter = itertools.cycle(cyclevars) 494 def render(self, context): 495 return self.cycle_iter.next() 496 497 But, suppose we have two templates rendering the template snippet from above at 498 the same time: 499 1. Thread 1 performs its first loop iteration, ``CycleNode.render()`` 500 returns 'row1' 501 2. Thread 2 performs its first loop iteration, ``CycleNode.render()`` 502 returns 'row2' 503 3. Thread 1 performs its second loop iteration, ``CycleNode.render()`` 504 returns 'row1' 505 4. Thread 2 performs its second loop iteration, ``CycleNode.render()`` 506 returns 'row2' 507 508 The CycleNode is iterating, but it's iterating globally. As far as Thread 1 509 and Thread 2 are concerned, it's always returning the same value. This is 510 obviously not what we want! 511 512 To address this problem, Django provides a ``render_context`` that's associated 513 with the ``context`` of the template that is currently being rendered. The 514 ``render_context`` behaves like a Python dictionary, and should be used to store 515 ``Node`` state between invocations of the ``render`` method. 516 517 Let's refactor our ``CycleNode`` implementation to use the ``render_context``:: 518 519 class CycleNode(Node): 520 def __init__(self, cyclevars): 521 self.cyclevars = cyclevars 522 def render(self, context): 523 if self not in context.render_context: 524 context.render_context[self] = itertools.cycle(self.cyclevars) 525 cycle_iter = context.render_context[self] 526 return cycle_iter.next() 527 528 Note that it's perfectly safe to store global information that will not change 529 throughout the life of the ``Node`` as an attribute. In the case of 530 ``CycleNode``, the ``cyclevars`` argument doesn't change after the ``Node`` is 531 instantiated, so we don't need to put it in the ``render_context``. But state 532 information that is specific to the template that is currently being rendered, 533 like the current iteration of the ``CycleNode``, should be stored in the 534 ``render_context``. 535 536 .. note:: 537 Notice how we used ``self`` to scope the ``CycleNode`` specific information 538 within the ``render_context``. There may be ``CycleNodes`` in a 539 given template, so we need to be careful not to clobber another node's state 540 information. The easiest way to do this is to always use ``self`` as the key 541 into ``render_context``. If you're keeping track of several state variables, 542 make ``render_context[self]`` a dictionary. 543 466 544 Registering the tag 467 545 ~~~~~~~~~~~~~~~~~~~ 468 546 -
docs/ref/templates/api.txt
546 546 should be a tuple of strings, where each string represents a template loader. 547 547 Here are the template loaders that come with Django: 548 548 549 ``django.template.loaders.filesystem.load _template_source``549 ``django.template.loaders.filesystem.loader`` 550 550 Loads templates from the filesystem, according to :setting:`TEMPLATE_DIRS`. 551 551 This loader is enabled by default. 552 552 553 ``django.template.loaders.app_directories.load _template_source``553 ``django.template.loaders.app_directories.loader`` 554 554 Loads templates from Django apps on the filesystem. For each app in 555 555 :setting:`INSTALLED_APPS`, the loader looks for a ``templates`` 556 556 subdirectory. If the directory exists, Django looks for templates in there. … … 574 574 575 575 This loader is enabled by default. 576 576 577 ``django.template.loaders.eggs.load _template_source``577 ``django.template.loaders.eggs.loader`` 578 578 Just like ``app_directories`` above, but it loads templates from Python 579 579 eggs rather than from the filesystem. 580 580 581 581 This loader is disabled by default. 582 582 583 ``django.template.loaders.cached.Loader`` 584 By default, the templating system will read and compile your templates every 585 time they need to be rendered. While the Django templating system is quite 586 fast, the overhead from reading and compiling templates can add up. 587 588 The cached template loader is a class-based loader that you instantiate with 589 a list of other loaders that it should wrap. The wrapped loaders are used to 590 locate unknown templates when they are first encountered. The cached loader 591 then stores the compiled ``Template`` in memory. The cached ``Template`` 592 instance is returned for subsequent requests to load the same template. 593 594 For example, to enable template caching with the ``filesystem`` and 595 ``app_directories`` template loaders you might use the following settings:: 596 597 from django.template.loaders import cached 598 loader = cached.Loader(( 599 'django.template.loaders.filesystem.loader', 600 'django.template.loaders.app_directories.loader', 601 )) 602 TEMPLATE_LOADERS = (loader,) 603 604 .. note:: 605 All of the built-in Django template tags are safe to use with the cached 606 loader, but if you're using custom template tags that come from third 607 party packages, or that you wrote yourself, you should ensure that the 608 ``Node`` implementation for each tag is thread-safe. For more 609 information, see 610 :ref:`template tag thread safety considerations<template_tag_thread_safety>`. 611 612 This loader is disabled by default. 613 583 614 Django uses the template loaders in order according to the 584 615 :setting:`TEMPLATE_LOADERS` setting. It uses each loader until a loader finds a 585 616 match. … … 642 673 and :setting:`TEMPLATE_DEBUG`. All available settings are described in the 643 674 :ref:`settings documentation <ref-settings>`, and any setting starting with 644 675 ``TEMPLATE_`` is of obvious interest. 676 677 Using an alternative template language 678 ====================================== 679 680 .. versionadded 1.2 681 682 The Django ``Template`` and ``Loader`` classes implement a simple API for 683 loading and rendering templates. By providing some simple wrapper classes that 684 implement this API we can use third party template systems like `Jinja2 685 <http://jinja.pocoo.org/2/>`_ or `Cheetah <http://www.cheetahtemplate.org/>`_. This 686 allows us to use third-party template libraries without giving up useful Django 687 features like the Django ``Context`` object and handy shortcuts like 688 ``render_to_response()``. 689 690 The core component of the Django templating system is the ``Template`` class. 691 This class has a very simple interface: it has a constructor that takes a single 692 positional argument specifying the template string, and a ``render()`` method 693 that takes a ``django.template.context.Context`` object and returns a string 694 containing the rendered response. 695 696 Jinja2's ``Template`` object implements a similar interface, except that its 697 ``render()`` method takes a dictionary rather than a ``Context`` object. We can 698 write a simple wrapper around ``jinja2.Template`` that implements the Django 699 ``Template`` interface:: 700 701 import jinja2 702 class Template(jinja2.Template): 703 def render(self, context): 704 # flatten the Django Context into a single dictionary. 705 context_dict = {} 706 for d in context.dicts: 707 context_dict.update(d) 708 return super(Template, self).render(context_dict) 709 710 That's all that's required to make Jinja2 templates compatible with the Django 711 loading and rendering system! 712 713 The next step is to write a ``Loader`` class that returns instances of our custom 714 template class instead of the default ``django.template.Template``. Custom ``Loader`` 715 classes should inherit from ``django.template.loader.BaseLoader`` and override 716 the ``load_template_source()`` method, which takes a ``template_name`` argument, 717 loads the template from disk (or elsewhere), and returns a tuple: 718 ``(template_string, template_origin)``. 719 720 The ``load_template()`` method of the ``Loader`` class retrieves the template 721 string by calling ``load_template_source()``, instantiates a ``Template`` from 722 the template source, and returns a tuple: ``(template, template_origin)``. Since 723 this is the method that actually instantiates the ``Template``, we'll need to 724 override it to use our custom template class instead. We can inherit from the 725 builtin ``django.template.loaders.app_directories.Loader`` to take advantage of 726 the ``load_template_source()`` method implemented there:: 727 728 from django.template.loaders import app_directories 729 class Loader(app_directories.Loader): 730 is_usable = True 731 732 def load_template(self, template_name, template_dirs=None): 733 source, origin = self.load_template_source(template_name, template_dirs) 734 template = Template(source) 735 return template, origin 736 loader = Loader() 737 738 Finally, we need to modify our project settings, telling Django to use our custom 739 Jinja2 loader. Now we can write all of our templates in Jinja2 while continuing to use 740 the rest of the Django templating system. -
docs/ref/contrib/sitemaps.txt
36 36 1. Add ``'django.contrib.sitemaps'`` to your :setting:`INSTALLED_APPS` 37 37 setting. 38 38 39 2. Make sure ``'django.template.loaders.app_directories.load _template_source'``39 2. Make sure ``'django.template.loaders.app_directories.loader'`` 40 40 is in your :setting:`TEMPLATE_LOADERS` setting. It's in there by default, 41 41 so you'll only need to change this if you've changed that setting. 42 42 … … 45 45 46 46 (Note: The sitemap application doesn't install any database tables. The only 47 47 reason it needs to go into :setting:`INSTALLED_APPS` is so that the 48 :func:`~django.template.loaders.app_directories.load _template_source` template48 :func:`~django.template.loaders.app_directories.loader` template 49 49 loader can find the default templates.) 50 50 51 51 Initialization -
docs/ref/settings.txt
1101 1101 1102 1102 Default:: 1103 1103 1104 ('django.template.loaders.filesystem.load _template_source',1105 'django.template.loaders.app_directories.load _template_source')1104 ('django.template.loaders.filesystem.loader', 1105 'django.template.loaders.app_directories.loader') 1106 1106 1107 1107 A tuple of callables (as strings) that know how to import templates from 1108 1108 various sources. See :ref:`ref-templates-api`.