Кэширование представлений в Django: как установить время истечения?
Я хотел бы кэшировать некоторые виды до конца месяца.
например
@cache_page_expire_at_end_of_month
def some_view(request):
...
Я нашел этот старый вопрос Django per-view caching: set expiry time rather than cache timeout? Но я не могу заставить его работать.
Чтобы кэшировать представление Django до конца месяца, вам нужно создать пользовательский декоратор, который вычисляет оставшееся время до конца текущего месяца и затем использует механизм кэширования Django с этим конкретным таймаутом. В Django нет встроенного декоратора для установки истечения срока действия кэша до конца месяца, поэтому вам придется реализовать эту функциональность самостоятельно.
Вот пошаговое руководство, как это сделать:
- Рассчитать время до конца месяца
- Создайте пользовательский декоратор
- Примените пользовательский декоратор к представлениям
from django.utils.decorators import method_decorator
from django.utils.decorators import method_decorator
from django.views.decorators.cache import cache_page
from datetime import datetime, timedelta
import calendar
def cache_page_expire_at_end_of_month(timeout_default=86400):
def decorator(view_func):
def _wrapped_view_func(*args, **kwargs):
# Calculate the current time and find the last day of the month
now = datetime.now()
_, last_day = calendar.monthrange(now.year, now.month)
end_of_month = datetime(now.year, now.month, last_day, 23, 59, 59)
# Calculate remaining seconds until the end of the month
delta = end_of_month - now
timeout = max(delta.total_seconds(), timeout_default)
# Apply the cache_page decorator with the calculated timeout
return cache_page(timeout)(view_func)(*args, **kwargs)
return _wrapped_view_func
return decorator
# Usage example
@cache_page_expire_at_end_of_month()
def some_view(request):
# Your view logic here
...
Чтобы применить этот декоратор к представлению, основанному на классе, вам нужно использовать method_decorator следующим образом:
from django.utils.decorators import method_decorator
@method_decorator(cache_page_expire_at_end_of_month(), name='dispatch')
class SomeClassBasedView(View):
def get(self, request, *args, **kwargs):
# Your view logic here
...