我正在尝试使用Select2 4.0对结果(每25行)进行一次分页,但我不知道如何实现它。有人知道怎么做吗?
如果用户到达25行的末尾,如果有更多行,我想加载并显示它。
这是我的HTML模板
<div class="form-group">
{!! Form::select('breed_id', $breeds, null, ['class' => 'form-control', 'id' =>'breed_id'] ) !!}
</div>
这是Select2的JavaScript。
$("#breed_id").select2({
placeholder: 'Breed...',
width: '350px',
allowClear: true,
ajax: {
url: '',
dataType: 'json',
data: function(params) {
return {
term: params.term
}
},
processResults: function (data, page) {
return {
results: data
};
},
cache: true
}
});
这是我的控制器代码
if ($request->ajax())
{
$breeds = Breed::where('name', 'LIKE', '%' . Input::get("term"). '%')->orderBy('name')->take(25)->get(['id',DB::raw('name as text')]);
return response()->json($breeds);
}
当我试图把params.page
说成“未定义”时。
答案 0 :(得分:37)
Select2通过pagination
生成的processResults
密钥使用远程数据时支持分页。
对于无限滚动,pagination
对象应具有more
属性,该属性为布尔值(true
或false
)。这将告诉Select2当到达底部时是否应该加载更多结果,或者它是否已达到结果的末尾。
{
results: [array, of, results],
pagination: {
more: true
}
}
在您的情况下,您可以对结果进行整形。因此,您实际上可以更改您的JSON响应以匹配预期的格式,这意味着您甚至不需要使用processResults
。
如果您修改page
函数以返回它,则Select2可以将页码传递为ajax.data
。
data: function(params) {
return {
term: params.term || "",
page: params.page || 1
}
},
然后您就可以使用Input::get('page')
获取该页面了。您可以使用(page - 1) * resultCount
计算要跳过的结果总数,其中resultCount
为25
。这样您就可以修改查询以合并LIMIT
和OFFSET
,以获得所需的结果。
$page = Input::get('page');
$resultCount = 25;
$offset = ($page - 1) * $resultCount;
您可以使用以下查询生成LIMIT
/ OFFSET
查询(基于this Stack Overflow question。
$breeds = Breed::where('name', 'LIKE', '%' . Input::get("term"). '%')->orderBy('name')->skip($offset)->take($resultCount)->get(['id',DB::raw('name as text')]);
所以现在$breeds
将只包含请求的结果。剩下要做的唯一事情是塑造响应以匹配Select2期望它的方式。您可以通过查看结果总数并查看是否超出限制来确定是否有更多页面。
$count = Breed::count();
$endCount = $offset + $resultCount;
$morePages = $endCount > $count;
所以现在$morePages
应该是一个布尔值,这正是Select2在pagination.more
中寻找的内容。现在你只需要对响应进行整形以匹配我之前提到的格式。
$results = array(
"results" => $breeds,
"pagination" => array(
"more" => $morePages
)
);
然后呈现
return response()->json($results);
将所有内容放在一起,就可以获得JavaScript
$("#breed_id").select2({
placeholder: 'Breed...',
width: '350px',
allowClear: true,
ajax: {
url: '',
dataType: 'json',
data: function(params) {
return {
term: params.term || '',
page: params.page || 1
}
},
cache: true
}
});
以下为您的控制器
if ($request->ajax())
{
$page = Input::get('page');
$resultCount = 25;
$offset = ($page - 1) * $resultCount;
$breeds = Breed::where('name', 'LIKE', '%' . Input::get("term"). '%')->orderBy('name')->skip($offset)->take($resultCount)->get(['id',DB::raw('name as text')]);
$count = Breed::count();
$endCount = $offset + $resultCount;
$morePages = $endCount > $count;
$results = array(
"results" => $breeds,
"pagination" => array(
"more" => $morePages
)
);
return response()->json($results);
}