1
0
mirror of https://github.com/django/django.git synced 2025-10-24 22:26:08 +00:00

Converted property syntax in django.core.paginator

This commit is contained in:
Claude Paroz
2016-04-15 16:54:38 +02:00
parent 5cc8261c39
commit 79a091820f

View File

@@ -2,6 +2,7 @@ import collections
from math import ceil from math import ceil
from django.utils import six from django.utils import six
from django.utils.functional import cached_property
class InvalidPage(Exception): class InvalidPage(Exception):
@@ -24,7 +25,6 @@ class Paginator(object):
self.per_page = int(per_page) self.per_page = int(per_page)
self.orphans = int(orphans) self.orphans = int(orphans)
self.allow_empty_first_page = allow_empty_first_page self.allow_empty_first_page = allow_empty_first_page
self._num_pages = self._count = None
def validate_number(self, number): def validate_number(self, number):
""" """
@@ -63,41 +63,36 @@ class Paginator(object):
""" """
return Page(*args, **kwargs) return Page(*args, **kwargs)
def _get_count(self): @cached_property
def count(self):
""" """
Returns the total number of objects, across all pages. Returns the total number of objects, across all pages.
""" """
if self._count is None: try:
try: return self.object_list.count()
self._count = self.object_list.count() except (AttributeError, TypeError):
except (AttributeError, TypeError): # AttributeError if object_list has no count() method.
# AttributeError if object_list has no count() method. # TypeError if object_list.count() requires arguments
# TypeError if object_list.count() requires arguments # (i.e. is of type list).
# (i.e. is of type list). return len(self.object_list)
self._count = len(self.object_list)
return self._count
count = property(_get_count)
def _get_num_pages(self): @cached_property
def num_pages(self):
""" """
Returns the total number of pages. Returns the total number of pages.
""" """
if self._num_pages is None: if self.count == 0 and not self.allow_empty_first_page:
if self.count == 0 and not self.allow_empty_first_page: return 0
self._num_pages = 0 hits = max(1, self.count - self.orphans)
else: return int(ceil(hits / float(self.per_page)))
hits = max(1, self.count - self.orphans)
self._num_pages = int(ceil(hits / float(self.per_page)))
return self._num_pages
num_pages = property(_get_num_pages)
def _get_page_range(self): @property
def page_range(self):
""" """
Returns a 1-based range of pages for iterating through within Returns a 1-based range of pages for iterating through within
a template for loop. a template for loop.
""" """
return six.moves.range(1, self.num_pages + 1) return six.moves.range(1, self.num_pages + 1)
page_range = property(_get_page_range)
QuerySetPaginator = Paginator # For backwards-compatibility. QuerySetPaginator = Paginator # For backwards-compatibility.