0

我正在尝试在 kohana 中集成分页,但不知道如何集成它。以下是控制器功能

public function action_index() {
        //setup the model and view
        $_users = Model::factory('users');
        $us = $_users->get_users();

        $view = View::factory('users/index')->bind('user_list', $us);
        $this->template->set('content',$view);
    }

如何在此功能中添加分页?我找到了一些分页代码,但无法集成。这是我找到的功能

 $this->pagination = new Pagination(array(
            'base_url'    => 'users/index/', 
            'uri_segment' => 'page',
            'total_items' => count($items->get_item_count())

请帮我

编辑:我尝试了类似的东西

public function action_index(){

    $query = DB::select()->from('user');
    // count number of users
    $total_users = count($query);;
    // set-up the pagination
    $pagination = Pagination::factory(array(
        'total_items' => $total_users,
        'items_per_page' => 10, // this will override the default set in your config
    ));
    // select rows using pagination's limit&offset 
    $users = $query->offset($pagination->offset)->limit($pagination->items_per_page)->execute();
    $view = View::factory('users/index')->bind('user_list', $users)->bind('pagination', $pagination);
    $this->template->set('content',$view);
}

现在没有发现错误,但没有显示分页。使用了 @DanielThompson 建议的 shadowhand 的分页模块

4

1 回答 1

4

I use shadowhand's pagination module which supports Kohana 3+, just make sure you grab the same branch as your Kohana version, then add it to your modules directory.

Update your application/bootstrap.php file:

Kohana::modules(array(
    // ...
    'pagination' => MODPATH.'pagination'
));

Copy modules/pagination/config/pagination.php to application/config/pagination.php

In your controller action (e.g. users):

// count number of users
$total_users = ORM::factory('User')->count_all();

// set-up the pagination
$pagination = Pagination::factory(array(
    'total_items' => $total_users,
    'items_per_page' => 10, // this will override the default set in your config
));

// get users using the pagination limit/offset
$users = ORM::factory('User')->offset($pagination->offset)->limit($pagination->items_per_page)->find_all();

// pass the users & pagination to the view
$this->view->bind('pagination', $pagination);
$this->view->bind('users', $users);

In your view:

// loop over users
foreach($users as $user) {
    // ...
}

// display pagination view using
echo $pagination;

The module comes with two views: basic or floating which is set in the config file. You could also create a custom one for your application.

于 2013-09-20T14:45:35.233 回答