我想为邮件系统创建分页,其中显示的第一个页面包含最旧的邮件,后续页面显示较新的邮件。
例如,如果{a,b,c,d,e,f,g,h,i}
的正常分页为每页3个:
{a,b,c}, {d,e,f}, {g,h,i}
然后反向分页将是:
{g,h,i}, {d,e,f}, {a,b,c}
我计划在页面前添加结果与普通分页相同,只从最后一页开始。
这可以用kaminari
吗?
答案 0 :(得分:2)
在Github上有一个很好的例子回购在github上叫reverse_kaminari。它建议沿着这些方向实施(Source)。
class CitiesController < ApplicationController
def index
@cities = prepare_cities City.order('created_at DESC')
end
private
def prepare_cities(scope)
@per_page = City.default_per_page
total_count = scope.count
rest_count = total_count > @per_page ? (total_count % @per_page) : 0
@num_pages = total_count > @per_page ? (total_count / @per_page) : 1
if params[:page]
offset = params[:page].sub(/-.*/, '').to_i
current_page = @num_pages - (offset - 1) / @per_page
scope.page(current_page).per(@per_page).padding(rest_count)
else
scope.page(1).per(@per_page + rest_count)
end
end
end
所有积分都转到Andrew Djoga。他还将应用程序托管为a working demo。
答案 1 :(得分:1)
解决这个问题的一种方法是: Reverse pagination with kaminari? 它看起来不是很干净也不是最佳,但它有效:)
答案 2 :(得分:1)
Kaminary.paginate_array
不会产生带偏移和限制的查询。出于优化原因,您不应该使用它。
相反,你可以这样做:
@messages = query_for_message.order('created_at DESC').page(params[:page]).per(3)
其中query_for_message
代表您用于检索分页记录的任何查询。例如,它可以是特定会话的所有消息。
现在在视图文件中,您只需要以相反的顺序显示@messages
。例如:
<%= render :collection => @messages.reverse, :partial => 'message' %>
<%= paginate @messages %>
答案 3 :(得分:0)
是的,但我提出的方法并不完美。实际上,您必须设置自己的订单:
Message.page(1).per(3).order("created_at DESC").reverse!
这种方法的问题有两个:
首先反过来! call将范围解析为数组并执行查询,使用AR范围来破坏kaminari的一些令人敬畏的方面。
其次,与任何反向分页一样,您的偏移量将会移动,这意味着在两次重复调用之间,您可以准确发送3条新消息,然后您将获得完全相同的数据。这个问题是反向分页所固有的。
另一种方法是询问“最后”页码并将页码减少到1。