Hey, On my hosts doing several hundred requests per second the load was at 100 already, and then Adrian suggested to cache the templates. So I implemented a simple cache (which is now a hack but perhaps it will be included in Django soon) which brought the load down to 5 - so a lot of speedup at the cost of templates not being reloaded when changed (you have to restart apache or whatever you're using for Django).
The actual page load time on a non-loaded server went down from 0.17 to 0.07 seconds with the templates cached. The code is below, all you have to do is call install_loader_cache() when your app starts (in the urls perhaps) and use render_to_response from this package when rendering output (the default one has an old reference to get_template so it won't use the cache until this feature gets included in Django). Regards! Wojtek # django template cache by [EMAIL PROTECTED] from django.core import template_loader from django.core.template import Origin, StringOrigin, Template, Context from django.utils.httpwrappers import HttpResponse orig_get_template = template_loader.get_template cache = {} def get_template(name): if cache.has_key(name): return cache[name] else: tpl = orig_get_template(name) cache[name] = tpl return tpl def render_to_string(template_name, dictionary=None, context_instance=None): """ Loads the given template_name and renders it with the given dictionary as context. The template_name may be a string to load a single template using get_template, or it may be a tuple to use select_template to find one of the templates in the list. Returns a string. """ dictionary = dictionary or {} if isinstance(template_name, (list, tuple)): t = template_loader.select_template(template_name) else: t = get_template(template_name) if context_instance: context_instance.update(dictionary) else: context_instance = Context(dictionary) return t.render(context_instance) def render_to_response(*args, **kwargs): return HttpResponse(render_to_string(*args, **kwargs)) def install_loader_cache(): global orig_get_template template_loader.get_template = get_template template_loader.render_to_string = render_to_string