我正在尝试在Laravel中创建简单的博客,我对这个小细节感到困惑。我有博客文章,想在主页上显示少数,并链接到路由localhost / posts分页的其他人。
问题是我不知道如何从主页创建分页帖子的链接,因此分页从主页的最后一个帖子结束开始。
编辑:我希望用户能够点击路线'帖子'并查看所有帖子,甚至是来自主页的帖子
实施例
localhost/ - has first 3 posts
localhost/posts?page=2 - has the rest starting from 4th post
我已经尝试过这样,但没有用。
路线
Route::get('posts?page={page}', ['as' => 'rest', 'uses' => 'Controller@getRest']);
控制器具有此功能
public function getRest($page) {
Paginator::setCurrentPage($page);
$posts = Post::paginate(3);
return View::make('posts')->with('posts', $posts);
}
我尝试在主页查看模板中创建链接,如下所示:
<a href="{{ URL::route('posts?page={page}', 2) }}">Show the rest of posts</a>
感谢您的帮助。
答案 0 :(得分:1)
这应该有效。唯一的问题是,当用户点击主页中的page 2
链接时,用户将看到10个帖子,从第13个帖子开始,而不是第3个帖子。虽然将->skip(3 + ($page - 1) * 10)
中的Controller::posts
更改为->skip(3 + ($page - 2) * 10)
似乎可以解决问题,但page 1
链接仍会失败。
<强>路线强>
Route::get('/', [ 'as' => 'home', 'uses' => 'Controller@home' ]);
Route::get('posts', [ 'as' => 'posts', 'uses' => 'Controller@posts' ]);
<强>控制器强>
class Controller extends BaseController {
public function home()
{
$posts = Post::take(3)->get();
$pagination = Paginator::make($posts->toArray(), Post::count(), 10);
$pagination->setBaseUrl(route('posts'));
return View::make('home', compact('posts', 'pagination'));
}
public function posts()
{
// Current page number (defaults to 1)
$page = Input::get('page', 1);
// Get 10 post according to page number, after the first 3
$posts = Post::skip(3 + ($page - 1) * 10)->take(10)->get();
// Create pagination
$pagination = Paginator::make($posts->toArray(), Post::count(), 10);
return View::make('posts', compact('posts', 'pagination'));
}
}
<强> home.blade.php 强>
@foreach ($posts as $post)
{{ $post->title }}
@endforeach
{{ $pagination->links() }}