| Recommend this page to a friend! | 
|  Download | 
| Info |  Files |  Install with Composer |  Download | Reputation | Support forum | Blog | Links | 
| Last Updated | Ratings | Unique User Downloads | Download Rankings | |||||
| 2024-11-17 (4 months ago)  | Not enough user ratings | Total: 78 This week: 1 | All time:  10,151 This week: 42  | |||||
| Version | License | PHP version | Categories | |||
| esi-pagination 2.0.2 | MIT/X Consortium ... | 8.2.0 | HTML, Databases, Libraries, PHP 8 | 
Pagination library that implements a paging interface on collections of things.
This library is a fork of the AshleyDawson\SimplePagination(https://github.com/AshleyDawson/SimplePagination) library by Ashley Dawson(https://github.com/AshleyDawson).
To see a list of changes in this library in comparison to the original library, please see the CHANGELOG.md file.
You can install Pagination via Composer. To do that, simply require the 
package in your composer.json file like so:
{
    "require": {
        "esi/pagination": "^2.0"
    }
}
Then run composer update to install the package.
I've tried to make Pagination as simple, flexible, and easy to use as possible. There are four main elements that describe the operation of Pagination. These are:
The Paginator service performs the pagination algorithm, generating the page range and item collection slices. When it's done, it will return a Pagination object filled with the item collection slice and metadata.
The two main operations the Paginator service will perform on your collection (or data set) are denoted by two callback methods passed to the Paginator service. The first one is the Item total callback. This callback is used to determine the total number of items in your collection (returned as an integer). The second one is the Slice callback. This callback actually slices your collection given an offset and length argument.
The idea behind using these callbacks is so that Pagination is kept, well, simple! The real power comes with the flexibility. You can use Pagination with just about any collection you want. From simple arrays to database lists to Doctrine collections to Solr result sets - we've got you covered! It really doesn't matter what we paginate - as long as it's a collection of things, and you can count and slice it.
Ok, lets go with the most basic example - paginating over an array.
use Esi\Pagination\Paginator;
// Build a mock list of items we want to paginate through.
$items = [
    'Banana',
    'Apple',
    'Cherry',
    'Lemon',
    'Pear',
    'Watermelon',
    'Orange',
    'Grapefruit',
    'Blackcurrant',
    'Dingleberry',
    'Snosberry',
    'Tomato',
];
// Instantiate a new paginator service.
$paginator = new Paginator();
// Set some parameters (optional).
$paginator
    ->setItemsPerPage(10) // Give us a maximum of 10 items per page.
    ->setPagesInRange(5)  // How many pages to display in navigation (e.g. if we have a lot of pages to get through).
;
// Pass our item total callback.
$paginator->setItemTotalCallback(function () use ($items): int {
    return count($items);
});
// Pass our slice callback.
$paginator->setSliceCallback(function (int $offset, int $length) use ($items): array {
    return array_slice($items, $offset, $length);
});
// Paginate the item collection, passing the current page number (e.g. from the current request).
$pagination = $paginator->paginate(filter_input(INPUT_GET, 'page', FILTER_VALIDATE_INT));
// Ok, from here on is where we'd be inside a template of view (e.g. pass $pagination to your view).
// Iterate over the items on this page.
foreach ($pagination->getItems() as $item) {
    echo $item . '<br />';
}
// Let's build a basic page navigation structure.
foreach ($pagination->getPages() as $page) {
    echo '<a href="?page=' . $page . '">' . $page . '</a> ';
}
There are lots of other pieces of metadata held within the pagination object. These can be used for building first, last, previous and next buttons.
Let's take the example above and use a MySQL result set instead of an array.
use Esi\Pagination\Paginator;
// Instantiate a new paginator service.
$paginator = new Paginator();
// Set some parameters (optional).
$paginator
    ->setItemsPerPage(10) // Give us a maximum of 10 items per page.
    ->setPagesInRange(5)  // How many pages to display in navigation (e.g. if we have a lot of pages to get through).
;
// Connect to a database.
$mysql = new mysqli('localhost', 'root', 'password', 'myDatabase');
// Pass our item total callback.
$paginator->setItemTotalCallback(function () use($mysql): int {
    // Run count query.
    $result = $mysql->query("SELECT COUNT(*) AS `totalCount` FROM `TestData`");
    $row = $result->fetch_array(MYSQLI_ASSOC);
    
    // Return the count, cast as an integer.
    return (int) $row['totalCount'];
});
// Pass our slice callback.
$paginator->setSliceCallback(function (int $offset, int $length) use ($mysql): array {
    // Run slice query.
    $result = $mysql->query("SELECT `Name` FROM `TestData` LIMIT $offset, $length");
    // Build a collection of items.
    $collection = [];
    while ($row = $result->fetch_assoc()) {
        $collection[] = $row;
    }
    
    // Return the collection.
    return $collection;
});
// Paginate the item collection, passing the current page number (e.g. from the current request).
$pagination = $paginator->paginate(filter_input(INPUT_GET, 'page', FILTER_VALIDATE_INT));
// Ok, from here on is where we'd be inside a template of view (e.g. pass $pagination to your view).
// Iterate over the items on this page.
foreach ($pagination->getItems() as $item) {
    echo $item['Name'] . '<br />';
}
// Let's build a basic page navigation structure.
foreach ($pagination->getPages() as $page) {
    echo '<a href="?page=' . $page . '">' . $page . '</a> ';
}
Note: The example above uses mysqli etc. as I tried to make it as simple as possible. In the real world please use PDO, Doctrine DBAL, etc.
It really doesn't matter what sort of collection you return from the Paginator::setSliceCallback() callback. It will always end up in Pagination::getItems().
You can also configure the paginator with a configuration array passed to the constructor. For example:
$paginator = new Paginator([
    'itemTotalCallback' => function () {
        // ...
    },
    'sliceCallback' => function (int $offset, int $length) {
        // ...
    },
    'itemsPerPage' => 10,
    'pagesInRange' => 5,
]);
The Pagination object returned from the Paginator service implements \IteratorAggregate and \Countable so you can do things like this in your view:
if (count($pagination) > 0) {
    foreach ($pagination as $item) {
        echo $item . '<br />';
    }
}
During both item total and slice callbacks you have the option of passing arbitrary metadata to the pagination object. This is an optional feature and is useful if you have a use-case where additional data is returned by these operations, and you want to access it from the pagination object whilst listing the items. A good example of this is when using search engines such as ElasticSearch, you can pass back secondary information - like aggregations, etc. A generic example can be seen below:
use Esi\Pagination\Pagination;
// ...
$paginator->setItemTotalCallback(function (Pagination $pagination) use ($items): int {
    // Pass arbitrary metadata to pagination object.
    $pagination->setMeta(['my', 'meta', 'data']);
    
    return count($items);
});
$paginator->setSliceCallback(function (int $offset, int $length, Pagination $pagination) use ($items): array {
    // Pass more arbitrary metadata to pagination object.
    $pagination->setMeta(array_merge($pagination->getMeta(), ['more', 'stuff']));
    return array_slice($items, $offset, $length);
});
// ...
// Perform the pagination
$pagination = $paginator->paginate(filter_input(INPUT_GET, 'page', FILTER_VALIDATE_INT));
// Get the metadata from the pagination object.
var_dump($pagination->getMeta());
Before and after the count and slice queries, you can set callbacks to fire. To set them, do the following:
$paginator->setBeforeQueryCallback(function (Paginator $paginator, Pagination $pagination) {
});
$paginator->setAfterQueryCallback(function (Paginator $paginator, Pagination $pagination) {
});
This is handy if you want to perform some function before and after each query is made.
The result of the Paginator::paginate() operation is to produce a Pagination model object, which carries the item collection for 
the current page plus the meta information for the collection, e.g. pages array, next page number, previous page number, etc.
Please see below for a list of properties that the Pagination object has.
A good example of using the Pagination object is to build a simple pagination navigation structure:
// Render the first page link,
echo '<a href="?page=' . $pagination->getFirstPageNumber() . '">First Page</a> ';
// Render the previous page link (note: the previous page number could be null),
echo '<a href="?page=' . $pagination->getPreviousPageNumber() . '">Previous Page</a> ';
// Render page range links,
foreach ($pagination->getPages() as $page) {
    echo '<a href="?page=' . $page . '">' . $page . '</a> ';
}
// Render the next page link (note: the next page number could be null),
echo '<a href="?page=' . $pagination->getNextPageNumber() . '">Next Page</a> ';
// Render the last page link,
echo '<a href="?page=' . $pagination->getLastPageNumber() . '">Last Page</a>';
Bugs and feature requests are tracked on GitHub
Issues are the quickest way to report a bug. If you find a bug or documentation error, please check the following first:
See CONTRIBUTING
Eric Sizemore - <[email protected]> - <https://www.secondversion.com>
Pagination is licensed under the MIT License - see the LICENSE.md file for details
|  Files (33) | 
| File | Role | Description | ||
|---|---|---|---|---|
|  .github (3 files, 2 directories) | ||||
|  src (3 files, 1 directory) | ||||
|  tests (1 file) | ||||
|    .php-cs-fixer.dist.php | Example | Example script | ||
|    .scrutinizer.yml | Data | Auxiliary data | ||
|    backward-compatibility.md | Data | Auxiliary data | ||
|    CHANGELOG.md | Data | Auxiliary data | ||
|    CODE_OF_CONDUCT.md | Data | Auxiliary data | ||
|    composer.json | Data | Auxiliary data | ||
|    composer.lock | Data | Auxiliary data | ||
|    CONTRIBUTING.md | Data | Auxiliary data | ||
|    LICENSE.md | Lic. | License text | ||
|    phpstan-baseline.neon | Data | Auxiliary data | ||
|    phpstan.neon | Data | Auxiliary data | ||
|    phpunit.xml | Data | Auxiliary data | ||
|    psalm-baseline.xml | Data | Auxiliary data | ||
|    psalm.xml | Data | Auxiliary data | ||
|    README.md | Doc. | Documentation | ||
|    renovate.json | Data | Auxiliary data | ||
|    SECURITY.md | Data | Auxiliary data | ||
|  Files (33) | / | .github | 
| File | Role | Description | ||
|---|---|---|---|---|
|  ISSUE_TEMPLATE (3 files) | ||||
|  workflows (3 files) | ||||
|    dependabot.yml | Data | Auxiliary data | ||
|    FUNDING.yml | Data | Auxiliary data | ||
|    pull_request_template.md | Data | Auxiliary data | ||
|  Files (33) | / | .github | / | ISSUE_TEMPLATE | 
| File | Role | Description | 
|---|---|---|
|    1-bug_report.yml | Data | Auxiliary data | 
|    2-feature_request.yml | Data | Auxiliary data | 
|    config.yml | Data | Auxiliary data | 
|  Files (33) | / | .github | / | workflows | 
|  Files (33) | / | src | 
| File | Role | Description | ||
|---|---|---|---|---|
|  Exception (3 files) | ||||
|  Pagination.php | Class | Class source | ||
|  Paginator.php | Class | Class source | ||
|  PaginatorInterface.php | Class | Class source | ||
|  Files (33) | / | src | / | Exception | 
| File | Role | Description | 
|---|---|---|
|  CallbackInvalidException.php | Class | Class source | 
|  CallbackNotFoundException.php | Class | Class source | 
|  InvalidPageNumberException.php | Class | Class source | 
| The PHP Classes site has supported package installation using the Composer tool since 2013, as you may verify by reading this instructions page. | 
|  Install with Composer | 
| Version Control | Unique User Downloads | Download Rankings | |||||||||||||||
| 100% | 
 | 
 | 
| Applications that use this package | 
 If you know an application of this package, send a message to the author to add a link here.
 If you know an application of this package, send a message to the author to add a link here.