本文整理汇总了Python中mezzanine.utils.cache.cache_installed函数的典型用法代码示例。如果您正苦于以下问题:Python cache_installed函数的具体用法?Python cache_installed怎么用?Python cache_installed使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了cache_installed函数的14个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: settings
def settings(request):
"""
Add the settings object to the template context.
"""
from mezzanine.conf import settings
settings_dict = None
if cache_installed():
cache_key = cache_key_prefix(request) + "context-settings"
settings_dict = cache_get(cache_key)
if not settings_dict:
settings.use_editable()
settings_dict = TemplateSettings()
for k in settings.TEMPLATE_ACCESSIBLE_SETTINGS:
settings_dict[k] = getattr(settings, k, "")
for k in DEPRECATED:
settings_dict[k] = getattr(settings, k, DEPRECATED)
if cache_installed():
cache_set(cache_key, settings_dict)
# This is basically the same as the old ADMIN_MEDIA_PREFIX setting,
# we just use it in a few spots in the admin to optionally load a
# file from either grappelli or Django admin if grappelli isn't
# installed. We don't call it ADMIN_MEDIA_PREFIX in order to avoid
# any confusion.
if settings.GRAPPELLI_INSTALLED:
settings_dict["MEZZANINE_ADMIN_PREFIX"] = "grappelli/"
else:
settings_dict["MEZZANINE_ADMIN_PREFIX"] = "admin/"
return {"settings": settings_dict}
开发者ID:31H0B1eV,项目名称:mezzanine,代码行数:28,代码来源:context_processors.py
示例2: current_site_id
def current_site_id():
"""
Responsible for determining the current ``Site`` instance to use
when retrieving data for any ``SiteRelated`` models. If we're inside an
override_current_site_id context manager, return the overriding site ID.
Otherwise, try to determine the site using the following methods in order:
- ``site_id`` in session. Used in the admin so that admin users
can switch sites and stay on the same domain for the admin.
- The id of the Site object corresponding to the hostname in the current
request. This result is cached.
- ``MEZZANINE_SITE_ID`` environment variable, so management
commands or anything else outside of a request can specify a
site.
- ``SITE_ID`` setting.
If a current request exists and the current site is not overridden, the
site ID is stored on the request object to speed up subsequent calls.
"""
if hasattr(override_current_site_id.thread_local, "site_id"):
return override_current_site_id.thread_local.site_id
from mezzanine.utils.cache import cache_installed, cache_get, cache_set
request = current_request()
site_id = getattr(request, "site_id", None)
if request and not site_id:
site_id = request.session.get("site_id", None)
if not site_id:
domain = request.get_host().lower()
if cache_installed():
# Don't use Mezzanine's cache_key_prefix here, since it
# uses this very function we're in right now to create a
# per-site cache key.
bits = (settings.CACHE_MIDDLEWARE_KEY_PREFIX, domain)
cache_key = "%s.site_id.%s" % bits
site_id = cache_get(cache_key)
if not site_id:
try:
site = Site.objects.get(domain__iexact=domain)
except Site.DoesNotExist:
pass
else:
site_id = site.id
if cache_installed():
cache_set(cache_key, site_id)
if not site_id:
try:
cur_language = translation.get_language()
site_id = settings.LANGUAGE_SITE_MAP[cur_language]
except KeyError:
site_id = os.environ.get("MEZZANINE_SITE_ID", settings.SITE_ID)
msg = 'Please add language %s to settings.LANGUAGE_SITE_MAP'
sys.stdout.write(msg % cur_language)
if request and site_id and not getattr(settings, "TESTING", False):
request.site_id = site_id
return site_id
开发者ID:alan-hicks,项目名称:mezzanine,代码行数:57,代码来源:sites.py
示例3: current_site_id
def current_site_id():
"""
Responsible for determining the current ``Site`` instance to use
when retrieving data for any ``SiteRelated`` models. If a request
is available, and the site can be determined from it, we store the
site against the request for subsequent retrievals. Otherwise the
order of checks is as follows:
- ``site_id`` in session. Used in the admin so that admin users
can switch sites and stay on the same domain for the admin.
- host for the current request matched to the domain of the site
instance.
- ``MEZZANINE_SITE_ID`` environment variable, so management
commands or anything else outside of a request can specify a
site.
- ``SITE_ID`` setting.
"""
from mezzanine.utils.cache import cache_installed, cache_get, cache_set
request = current_request()
site_id = getattr(request, "site_id", None)
if request and not site_id:
site_id = request.session.get("site_id", None)
if not site_id:
domain = request.get_host().lower()
if cache_installed():
# Don't use Mezzanine's cache_key_prefix here, since it
# uses this very function we're in right now to create a
# per-site cache key.
bits = (settings.CACHE_MIDDLEWARE_KEY_PREFIX, domain)
cache_key = "%s.site_id.%s" % bits
site_id = cache_get(cache_key)
if not site_id:
try:
site = Site.objects.get(domain__iexact=domain)
except Site.DoesNotExist:
pass
else:
site_id = site.id
if cache_installed():
cache_set(cache_key, site_id)
if request and site_id:
request.site_id = site_id
if not site_id:
site_id = os.environ.get("MEZZANINE_SITE_ID", settings.SITE_ID)
if request and site_id and not getattr(settings, "TESTING", False):
request.site_id = site_id
return site_id
开发者ID:AnderLinares,项目名称:mezzanine,代码行数:48,代码来源:sites.py
示例4: test_cache_installed
def test_cache_installed(self):
test_contexts = [
(False,
['mezzanine.core.middleware.FetchFromCacheMiddleware']),
(True,
['mezzanine.core.middleware.UpdateCacheMiddleware',
'mezzanine.core.tests.SubclassMiddleware']),
(True,
['mezzanine.core.middleware.UpdateCacheMiddleware',
'mezzanine.core.tests.FetchFromCacheMiddleware',
'mezzanine.core.tests.function_middleware']),
(True,
['mezzanine.core.middleware.UpdateCacheMiddleware',
'mezzanine.core.middleware.FetchFromCacheMiddleware']),
]
with self.settings(TESTING=False): # Well, this is silly
for expected_result, middlewares in test_contexts:
kwargs = {get_middleware_setting_name(): middlewares}
with self.settings(**kwargs):
cache_installed.cache_clear()
self.assertEqual(cache_installed(), expected_result)
cache_installed.cache_clear()
开发者ID:tiktuk,项目名称:mezzanine,代码行数:25,代码来源:tests.py
示例5: initialize_nevercache
def initialize_nevercache():
if cache_installed():
@register.tag
def nevercache(parser, token):
"""
Tag for two phased rendering. Converts enclosed template
code and content into text, which gets rendered separately
in ``mezzanine.core.middleware.UpdateCacheMiddleware``.
This is to bypass caching for the enclosed code and content.
"""
text = []
end_tag = "endnevercache"
tag_mapping = {
TOKEN_TEXT: ("", ""),
TOKEN_VAR: ("{{", "}}"),
TOKEN_BLOCK: ("{%", "%}"),
TOKEN_COMMENT: ("{#", "#}"),
}
delimiter = nevercache_token()
while parser.tokens:
token = parser.next_token()
token_type = token.token_type
if token_type == TOKEN_BLOCK and token.contents == end_tag:
return TextNode(delimiter + "".join(text) + delimiter)
start, end = tag_mapping[token_type]
text.append("%s%s%s" % (start, token.contents, end))
parser.unclosed_block_tag(end_tag)
else:
@register.to_end_tag
def nevercache(parsed, context, token):
"""
Dummy fallback ``nevercache`` for when caching is not
configured.
"""
return parsed
开发者ID:jgroszko,项目名称:mezzanine,代码行数:35,代码来源:mezzanine_tags.py
示例6: settings
def settings(request):
"""
Add the settings object to the template context.
"""
settings_dict = None
if cache_installed():
cache_key = cache_key_prefix(request) + "context-settings"
settings_dict = cache_get(cache_key)
if not settings_dict:
from mezzanine.conf import settings
settings.use_editable()
settings_dict = dict([(k, getattr(settings, k, ""))
for k in settings.TEMPLATE_ACCESSIBLE_SETTINGS])
if cache_installed():
cache_set(cache_key, settings_dict)
return {"settings": type("Settings", (), settings_dict)}
开发者ID:422053362,项目名称:mezzanine,代码行数:16,代码来源:context_processors.py
示例7: process_request
def process_request(self, request):
if cache_installed() and request.method == "GET" and not request.user.is_authenticated():
cache_key = cache_key_prefix(request) + request.get_full_path()
response = cache_get(cache_key)
if response is None:
request._update_cache = True
else:
return HttpResponse(response)
开发者ID:heiths,项目名称:mezzanine,代码行数:8,代码来源:middleware.py
示例8: settings
def settings(request):
"""
Add the settings object to the template context.
"""
settings_dict = None
if cache_installed():
cache_key = cache_key_prefix(request) + "context-settings"
settings_dict = cache_get(cache_key)
if not settings_dict:
from mezzanine.conf import settings
settings.use_editable()
settings_dict = TemplateSettings()
for k in settings.TEMPLATE_ACCESSIBLE_SETTINGS:
settings_dict[k] = getattr(settings, k, "")
for k in DEPRECATED:
settings_dict[k] = getattr(settings, k, DEPRECATED)
if cache_installed():
cache_set(cache_key, settings_dict)
return {"settings": settings_dict}
开发者ID:Magnil,项目名称:mezzanine,代码行数:19,代码来源:context_processors.py
示例9: process_request
def process_request(self, request):
if (cache_installed() and request.method == "GET" and
not request.user.is_authenticated()):
cache_key = cache_key_prefix(request) + request.get_full_path()
response = cache_get(cache_key)
if response is None:
request._update_cache = True
else:
csrf_mw_name = "django.middleware.csrf.CsrfViewMiddleware"
if csrf_mw_name in settings.MIDDLEWARE_CLASSES:
csrf_mw = CsrfViewMiddleware()
csrf_mw.process_view(request, lambda x: None, None, None)
get_token(request)
return HttpResponse(response)
开发者ID:31H0B1eV,项目名称:mezzanine,代码行数:14,代码来源:middleware.py
示例10: process_request
def process_request(self, request):
if (cache_installed() and request.method == "GET" and
not is_authenticated(request.user)):
cache_key = cache_key_prefix(request) + request.get_full_path()
response = cache_get(cache_key)
# We need to force a csrf token here, as new sessions
# won't receieve one on their first request, with cache
# middleware running.
if csrf_middleware_installed():
csrf_mw = CsrfViewMiddleware()
csrf_mw.process_view(request, lambda x: None, None, None)
get_token(request)
if response is None:
request._update_cache = True
else:
return HttpResponse(response)
开发者ID:kelvinwong-ca,项目名称:mezzanine,代码行数:16,代码来源:middleware.py
示例11: changelist_view
def changelist_view(self, request, extra_context=None):
if extra_context is None:
extra_context = {}
settings_form = SettingsForm(request.POST or None)
if settings_form.is_valid():
settings_form.save()
info(request, _("Settings were successfully updated."))
if cache_installed():
cache_key = (cache_key_prefix(request, ignore_device=True) +
"context-settings")
cache_delete(cache_key)
return self.changelist_redirect()
extra_context["settings_form"] = settings_form
extra_context["title"] = u"%s %s" % (
_("Change"), force_text(Setting._meta.verbose_name_plural))
return super(SettingsAdmin, self).changelist_view(request,
extra_context)
开发者ID:Kniyl,项目名称:mezzanine,代码行数:17,代码来源:admin.py
示例12: test_cache_installed
def test_cache_installed(self):
test_contexts = [
(False,
['mezzanine.core.middleware.FetchFromCacheMiddleware']),
(True,
['mezzanine.core.middleware.UpdateCacheMiddleware',
'mezzanine.core.tests.SubclassMiddleware']),
(True,
['mezzanine.core.middleware.UpdateCacheMiddleware',
'mezzanine.core.middleware.FetchFromCacheMiddleware']),
]
with self.settings(TESTING=False): # Well, this is silly
for expected_result, middleware_classes in test_contexts:
with self.settings(MIDDLEWARE_CLASSES=middleware_classes):
cache_installed.cache_clear()
self.assertEqual(cache_installed(), expected_result)
cache_installed.cache_clear()
开发者ID:C3-Desarrollo,项目名称:mezzanine,代码行数:20,代码来源:tests.py
示例13: get_for
def get_for(self, user_name=None, list_name=None, search_term=None):
"""
Create a query and run it for the given arg if it doesn't exist, and
return the tweets for the query.
"""
if user_name is not None:
type, value = "user", user_name
elif list_name is not None:
type, value = "list", list_name
elif search_term is not None:
type, value = "search", search_term
else:
return
from mezzanine.twitter.models import Query
query, created = Query.objects.get_or_create(type=type, value=value)
if created or cache_installed():
query.run()
elif not query.interested:
query.interested = True
query.save()
return query.tweets.all()
开发者ID:skevy,项目名称:mezzanine,代码行数:21,代码来源:managers.py
示例14: compress
from compressor.templatetags.compress import compress
return compress(parser, token)
else:
@register.to_end_tag
def compress(parsed, context, token):
"""
Dummy tag for fallback when django-compressor isn't installed.
"""
return parsed
if cache_installed():
@register.tag
def nevercache(parser, token):
"""
Tag for two phased rendering. Converts enclosed template
code and content into text, which gets rendered separately
in ``mezzanine.core.middleware.UpdateCacheMiddleware``.
This is to bypass caching for the enclosed code and content.
"""
text = []
end_tag = "endnevercache"
tag_mapping = {
TOKEN_TEXT: ("", ""),
TOKEN_VAR: ("{{", "}}"),
TOKEN_BLOCK: ("{%", "%}"),
开发者ID:dfalk,项目名称:mezzanine,代码行数:31,代码来源:mezzanine_tags.py
注:本文中的mezzanine.utils.cache.cache_installed函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论