tism-will_paginate 2.3.16

Sign up to get free protection for your applications and to get access to all the features.
@@ -0,0 +1,144 @@
1
+ module WillPaginate
2
+ # = Invalid page number error
3
+ # This is an ArgumentError raised in case a page was requested that is either
4
+ # zero or negative number. You should decide how do deal with such errors in
5
+ # the controller.
6
+ #
7
+ # If you're using Rails 2, then this error will automatically get handled like
8
+ # 404 Not Found. The hook is in "will_paginate.rb":
9
+ #
10
+ # ActionController::Base.rescue_responses['WillPaginate::InvalidPage'] = :not_found
11
+ #
12
+ # If you don't like this, use your preffered method of rescuing exceptions in
13
+ # public from your controllers to handle this differently. The +rescue_from+
14
+ # method is a nice addition to Rails 2.
15
+ #
16
+ # This error is *not* raised when a page further than the last page is
17
+ # requested. Use <tt>WillPaginate::Collection#out_of_bounds?</tt> method to
18
+ # check for those cases and manually deal with them as you see fit.
19
+ class InvalidPage < ArgumentError
20
+ def initialize(page, page_num)
21
+ super "#{page.inspect} given as value, which translates to '#{page_num}' as page number"
22
+ end
23
+ end
24
+
25
+ # = The key to pagination
26
+ # Arrays returned from paginating finds are, in fact, instances of this little
27
+ # class. You may think of WillPaginate::Collection as an ordinary array with
28
+ # some extra properties. Those properties are used by view helpers to generate
29
+ # correct page links.
30
+ #
31
+ # WillPaginate::Collection also assists in rolling out your own pagination
32
+ # solutions: see +create+.
33
+ #
34
+ # If you are writing a library that provides a collection which you would like
35
+ # to conform to this API, you don't have to copy these methods over; simply
36
+ # make your plugin/gem dependant on this library and do:
37
+ #
38
+ # require 'will_paginate/collection'
39
+ # # WillPaginate::Collection is now available for use
40
+ class Collection < Array
41
+ attr_reader :current_page, :per_page, :total_entries, :total_pages
42
+
43
+ # Arguments to the constructor are the current page number, per-page limit
44
+ # and the total number of entries. The last argument is optional because it
45
+ # is best to do lazy counting; in other words, count *conditionally* after
46
+ # populating the collection using the +replace+ method.
47
+ def initialize(page, per_page, total = nil)
48
+ @current_page = page.to_i
49
+ raise InvalidPage.new(page, @current_page) if @current_page < 1
50
+ @per_page = per_page.to_i
51
+ raise ArgumentError, "`per_page` setting cannot be less than 1 (#{@per_page} given)" if @per_page < 1
52
+
53
+ self.total_entries = total if total
54
+ end
55
+
56
+ # Just like +new+, but yields the object after instantiation and returns it
57
+ # afterwards. This is very useful for manual pagination:
58
+ #
59
+ # @entries = WillPaginate::Collection.create(1, 10) do |pager|
60
+ # result = Post.find(:all, :limit => pager.per_page, :offset => pager.offset)
61
+ # # inject the result array into the paginated collection:
62
+ # pager.replace(result)
63
+ #
64
+ # unless pager.total_entries
65
+ # # the pager didn't manage to guess the total count, do it manually
66
+ # pager.total_entries = Post.count
67
+ # end
68
+ # end
69
+ #
70
+ # The possibilities with this are endless. For another example, here is how
71
+ # WillPaginate used to define pagination for Array instances:
72
+ #
73
+ # Array.class_eval do
74
+ # def paginate(page = 1, per_page = 15)
75
+ # WillPaginate::Collection.create(page, per_page, size) do |pager|
76
+ # pager.replace self[pager.offset, pager.per_page].to_a
77
+ # end
78
+ # end
79
+ # end
80
+ #
81
+ # The Array#paginate API has since then changed, but this still serves as a
82
+ # fine example of WillPaginate::Collection usage.
83
+ def self.create(page, per_page, total = nil)
84
+ pager = new(page, per_page, total)
85
+ yield pager
86
+ pager
87
+ end
88
+
89
+ # Helper method that is true when someone tries to fetch a page with a
90
+ # larger number than the last page. Can be used in combination with flashes
91
+ # and redirecting.
92
+ def out_of_bounds?
93
+ current_page > total_pages
94
+ end
95
+
96
+ # Current offset of the paginated collection. If we're on the first page,
97
+ # it is always 0. If we're on the 2nd page and there are 30 entries per page,
98
+ # the offset is 30. This property is useful if you want to render ordinals
99
+ # side by side with records in the view: simply start with offset + 1.
100
+ def offset
101
+ (current_page - 1) * per_page
102
+ end
103
+
104
+ # current_page - 1 or nil if there is no previous page
105
+ def previous_page
106
+ current_page > 1 ? (current_page - 1) : nil
107
+ end
108
+
109
+ # current_page + 1 or nil if there is no next page
110
+ def next_page
111
+ current_page < total_pages ? (current_page + 1) : nil
112
+ end
113
+
114
+ # sets the <tt>total_entries</tt> property and calculates <tt>total_pages</tt>
115
+ def total_entries=(number)
116
+ @total_entries = number.to_i
117
+ @total_pages = (@total_entries / per_page.to_f).ceil
118
+ end
119
+
120
+ # This is a magic wrapper for the original Array#replace method. It serves
121
+ # for populating the paginated collection after initialization.
122
+ #
123
+ # Why magic? Because it tries to guess the total number of entries judging
124
+ # by the size of given array. If it is shorter than +per_page+ limit, then we
125
+ # know we're on the last page. This trick is very useful for avoiding
126
+ # unnecessary hits to the database to do the counting after we fetched the
127
+ # data for the current page.
128
+ #
129
+ # However, after using +replace+ you should always test the value of
130
+ # +total_entries+ and set it to a proper value if it's +nil+. See the example
131
+ # in +create+.
132
+ def replace(array)
133
+ result = super
134
+
135
+ # The collection is shorter then page limit? Rejoice, because
136
+ # then we know that we are on the last page!
137
+ if total_entries.nil? and length < per_page and (current_page == 1 or length > 0)
138
+ self.total_entries = offset + length
139
+ end
140
+
141
+ result
142
+ end
143
+ end
144
+ end
@@ -0,0 +1,43 @@
1
+ require 'set'
2
+ require 'will_paginate/array'
3
+
4
+ # helper to check for method existance in ruby 1.8- and 1.9-compatible way
5
+ # because `methods`, `instance_methods` and others return strings in 1.8 and symbols in 1.9
6
+ #
7
+ # ['foo', 'bar'].include_method?(:foo) # => true
8
+ class Array
9
+ def include_method?(name)
10
+ name = name.to_sym
11
+ !!(find { |item| item.to_sym == name })
12
+ end
13
+ end
14
+
15
+ unless Hash.instance_methods.include_method? :except
16
+ Hash.class_eval do
17
+ # Returns a new hash without the given keys.
18
+ def except(*keys)
19
+ rejected = Set.new(respond_to?(:convert_key) ? keys.map { |key| convert_key(key) } : keys)
20
+ reject { |key,| rejected.include?(key) }
21
+ end
22
+
23
+ # Replaces the hash without only the given keys.
24
+ def except!(*keys)
25
+ replace(except(*keys))
26
+ end
27
+ end
28
+ end
29
+
30
+ unless Hash.instance_methods.include_method? :slice
31
+ Hash.class_eval do
32
+ # Returns a new hash with only the given keys.
33
+ def slice(*keys)
34
+ allowed = Set.new(respond_to?(:convert_key) ? keys.map { |key| convert_key(key) } : keys)
35
+ reject { |key,| !allowed.include?(key) }
36
+ end
37
+
38
+ # Replaces the hash with only the given keys.
39
+ def slice!(*keys)
40
+ replace(slice(*keys))
41
+ end
42
+ end
43
+ end
@@ -0,0 +1,264 @@
1
+ require 'will_paginate/core_ext'
2
+
3
+ module WillPaginate
4
+ # A mixin for ActiveRecord::Base. Provides +per_page+ class method
5
+ # and hooks things up to provide paginating finders.
6
+ #
7
+ # Find out more in WillPaginate::Finder::ClassMethods
8
+ #
9
+ module Finder
10
+ def self.included(base)
11
+ base.extend ClassMethods
12
+ class << base
13
+ alias_method_chain :method_missing, :paginate
14
+ # alias_method_chain :find_every, :paginate
15
+ define_method(:per_page) { 30 } unless respond_to?(:per_page)
16
+ end
17
+ end
18
+
19
+ # = Paginating finders for ActiveRecord models
20
+ #
21
+ # WillPaginate adds +paginate+, +per_page+ and other methods to
22
+ # ActiveRecord::Base class methods and associations. It also hooks into
23
+ # +method_missing+ to intercept pagination calls to dynamic finders such as
24
+ # +paginate_by_user_id+ and translate them to ordinary finders
25
+ # (+find_all_by_user_id+ in this case).
26
+ #
27
+ # In short, paginating finders are equivalent to ActiveRecord finders; the
28
+ # only difference is that we start with "paginate" instead of "find" and
29
+ # that <tt>:page</tt> is required parameter:
30
+ #
31
+ # @posts = Post.paginate :all, :page => params[:page], :order => 'created_at DESC'
32
+ #
33
+ # In paginating finders, "all" is implicit. There is no sense in paginating
34
+ # a single record, right? So, you can drop the <tt>:all</tt> argument:
35
+ #
36
+ # Post.paginate(...) => Post.find :all
37
+ # Post.paginate_all_by_something => Post.find_all_by_something
38
+ # Post.paginate_by_something => Post.find_all_by_something
39
+ #
40
+ # == The importance of the <tt>:order</tt> parameter
41
+ #
42
+ # In ActiveRecord finders, <tt>:order</tt> parameter specifies columns for
43
+ # the <tt>ORDER BY</tt> clause in SQL. It is important to have it, since
44
+ # pagination only makes sense with ordered sets. Without the <tt>ORDER
45
+ # BY</tt> clause, databases aren't required to do consistent ordering when
46
+ # performing <tt>SELECT</tt> queries; this is especially true for
47
+ # PostgreSQL.
48
+ #
49
+ # Therefore, make sure you are doing ordering on a column that makes the
50
+ # most sense in the current context. Make that obvious to the user, also.
51
+ # For perfomance reasons you will also want to add an index to that column.
52
+ module ClassMethods
53
+ # This is the main paginating finder.
54
+ #
55
+ # == Special parameters for paginating finders
56
+ # * <tt>:page</tt> -- REQUIRED, but defaults to 1 if false or nil
57
+ # * <tt>:per_page</tt> -- defaults to <tt>CurrentModel.per_page</tt> (which is 30 if not overridden)
58
+ # * <tt>:total_entries</tt> -- use only if you manually count total entries
59
+ # * <tt>:count</tt> -- additional options that are passed on to +count+
60
+ # * <tt>:finder</tt> -- name of the ActiveRecord finder used (default: "find")
61
+ #
62
+ # All other options (+conditions+, +order+, ...) are forwarded to +find+
63
+ # and +count+ calls.
64
+ def paginate(*args)
65
+ options = args.pop
66
+ page, per_page, total_entries = wp_parse_options(options)
67
+ finder = (options[:finder] || 'find').to_s
68
+
69
+ if finder == 'find'
70
+ # an array of IDs may have been given:
71
+ total_entries ||= (Array === args.first and args.first.size)
72
+ # :all is implicit
73
+ args.unshift(:all) if args.empty?
74
+ end
75
+
76
+ WillPaginate::Collection.create(page, per_page, total_entries) do |pager|
77
+ count_options = options.except :page, :per_page, :total_entries, :finder
78
+ find_options = count_options.except(:count).update(:offset => pager.offset, :limit => pager.per_page)
79
+
80
+ args << find_options
81
+ # @options_from_last_find = nil
82
+ pager.replace(send(finder, *args) { |*a| yield(*a) if block_given? })
83
+
84
+ # magic counting for user convenience:
85
+ pager.total_entries = wp_count(count_options, args, finder) unless pager.total_entries
86
+ end
87
+ end
88
+
89
+ # Iterates through all records by loading one page at a time. This is useful
90
+ # for migrations or any other use case where you don't want to load all the
91
+ # records in memory at once.
92
+ #
93
+ # It uses +paginate+ internally; therefore it accepts all of its options.
94
+ # You can specify a starting page with <tt>:page</tt> (default is 1). Default
95
+ # <tt>:order</tt> is <tt>"id"</tt>, override if necessary.
96
+ #
97
+ # See {Faking Cursors in ActiveRecord}[http://weblog.jamisbuck.org/2007/4/6/faking-cursors-in-activerecord]
98
+ # where Jamis Buck describes this and a more efficient way for MySQL.
99
+ def paginated_each(options = {})
100
+ options = { :order => 'id', :page => 1 }.merge options
101
+ options[:page] = options[:page].to_i
102
+ options[:total_entries] = 0 # skip the individual count queries
103
+ total = 0
104
+
105
+ begin
106
+ collection = paginate(options)
107
+ with_exclusive_scope(:find => {}) do
108
+ # using exclusive scope so that the block is yielded in scope-free context
109
+ total += collection.each { |item| yield item }.size
110
+ end
111
+ options[:page] += 1
112
+ end until collection.size < collection.per_page
113
+
114
+ total
115
+ end
116
+
117
+ # Wraps +find_by_sql+ by simply adding LIMIT and OFFSET to your SQL string
118
+ # based on the params otherwise used by paginating finds: +page+ and
119
+ # +per_page+.
120
+ #
121
+ # Example:
122
+ #
123
+ # @developers = Developer.paginate_by_sql ['select * from developers where salary > ?', 80000],
124
+ # :page => params[:page], :per_page => 3
125
+ #
126
+ # A query for counting rows will automatically be generated if you don't
127
+ # supply <tt>:total_entries</tt>. If you experience problems with this
128
+ # generated SQL, you might want to perform the count manually in your
129
+ # application.
130
+ #
131
+ def paginate_by_sql(sql, options)
132
+ WillPaginate::Collection.create(*wp_parse_options(options)) do |pager|
133
+ query = sanitize_sql(sql.dup)
134
+ original_query = query.dup
135
+ # add limit, offset
136
+ add_limit! query, options.merge(:offset => pager.offset, :limit => pager.per_page)
137
+ # perfom the find
138
+ pager.replace find_by_sql(query)
139
+
140
+ unless pager.total_entries
141
+ count_query = original_query.sub /\bORDER\s+BY\s+[\w`,\s]+$/mi, ''
142
+ count_query = "SELECT COUNT(*) FROM (#{count_query})"
143
+
144
+ unless self.connection.adapter_name =~ /^(oracle|oci$)/i
145
+ count_query << ' AS count_table'
146
+ end
147
+ # perform the count query
148
+ pager.total_entries = count_by_sql(count_query)
149
+ end
150
+ end
151
+ end
152
+
153
+ def respond_to?(method, include_priv = false) #:nodoc:
154
+ case method.to_sym
155
+ when :paginate, :paginate_by_sql
156
+ true
157
+ else
158
+ super || super(method.to_s.sub(/^paginate/, 'find'), include_priv)
159
+ end
160
+ end
161
+
162
+ protected
163
+
164
+ def method_missing_with_paginate(method, *args) #:nodoc:
165
+ # did somebody tried to paginate? if not, let them be
166
+ unless method.to_s.index('paginate') == 0
167
+ if block_given?
168
+ return method_missing_without_paginate(method, *args) { |*a| yield(*a) }
169
+ else
170
+ return method_missing_without_paginate(method, *args)
171
+ end
172
+ end
173
+
174
+ # paginate finders are really just find_* with limit and offset
175
+ finder = method.to_s.sub('paginate', 'find')
176
+ finder.sub!('find', 'find_all') if finder.index('find_by_') == 0
177
+
178
+ options = args.pop
179
+ raise ArgumentError, 'parameter hash expected' unless options.respond_to? :symbolize_keys
180
+ options = options.dup
181
+ options[:finder] = finder
182
+ args << options
183
+
184
+ paginate(*args) { |*a| yield(*a) if block_given? }
185
+ end
186
+
187
+ # Does the not-so-trivial job of finding out the total number of entries
188
+ # in the database. It relies on the ActiveRecord +count+ method.
189
+ def wp_count(options, args, finder)
190
+ excludees = [:count, :order, :limit, :offset, :readonly]
191
+ excludees << :from unless ActiveRecord::Calculations::CALCULATIONS_OPTIONS.include?(:from)
192
+
193
+ # we may be in a model or an association proxy
194
+ klass = (@owner and @reflection) ? @reflection.klass : self
195
+
196
+ # Use :select from scope if it isn't already present.
197
+ options[:select] = scope(:find, :select) unless options[:select]
198
+
199
+ if options[:select] and options[:select] =~ /^\s*DISTINCT\b/i
200
+ # Remove quoting and check for table_name.*-like statement.
201
+ if options[:select].gsub(/[`"]/, '') =~ /\w+\.\*/
202
+ options[:select] = "DISTINCT #{klass.table_name}.#{klass.primary_key}"
203
+ end
204
+ else
205
+ excludees << :select # only exclude the select param if it doesn't begin with DISTINCT
206
+ end
207
+
208
+ # count expects (almost) the same options as find
209
+ count_options = options.except *excludees
210
+
211
+ # merge the hash found in :count
212
+ # this allows you to specify :select, :order, or anything else just for the count query
213
+ count_options.update options[:count] if options[:count]
214
+
215
+ # forget about includes if they are irrelevant (Rails 2.1)
216
+ if count_options[:include] and
217
+ klass.private_methods.include_method?(:references_eager_loaded_tables?) and
218
+ !klass.send(:references_eager_loaded_tables?, count_options)
219
+ count_options.delete :include
220
+ end
221
+
222
+ # we may have to scope ...
223
+ counter = Proc.new { count(count_options) }
224
+
225
+ count = if finder.index('find_') == 0 and klass.respond_to?(scoper = finder.sub('find', 'with'))
226
+ # scope_out adds a 'with_finder' method which acts like with_scope, if it's present
227
+ # then execute the count with the scoping provided by the with_finder
228
+ send(scoper, &counter)
229
+ elsif finder =~ /^find_(all_by|by)_([_a-zA-Z]\w*)$/
230
+ # extract conditions from calls like "paginate_by_foo_and_bar"
231
+ attribute_names = $2.split('_and_')
232
+ conditions = construct_attributes_from_arguments(attribute_names, args)
233
+ with_scope(:find => { :conditions => conditions }, &counter)
234
+ else
235
+ counter.call
236
+ end
237
+
238
+ (!count.is_a?(Integer) && count.respond_to?(:length)) ? count.length : count
239
+ end
240
+
241
+ def wp_parse_options(options) #:nodoc:
242
+ raise ArgumentError, 'parameter hash expected' unless options.respond_to? :symbolize_keys
243
+ options = options.symbolize_keys
244
+ raise ArgumentError, ':page parameter required' unless options.key? :page
245
+
246
+ if options[:count] and options[:total_entries]
247
+ raise ArgumentError, ':count and :total_entries are mutually exclusive'
248
+ end
249
+
250
+ page = options[:page] || 1
251
+ per_page = options[:per_page] || self.per_page
252
+ total = options[:total_entries]
253
+ [page, per_page, total]
254
+ end
255
+
256
+ private
257
+
258
+ # def find_every_with_paginate(options)
259
+ # @options_from_last_find = options
260
+ # find_every_without_paginate(options)
261
+ # end
262
+ end
263
+ end
264
+ end