monde-paperclip 2.3.1.1

Sign up to get free protection for your applications and to get access to all the features.
Files changed (48) hide show
  1. data/LICENSE +26 -0
  2. data/README.rdoc +174 -0
  3. data/Rakefile +103 -0
  4. data/generators/paperclip/USAGE +5 -0
  5. data/generators/paperclip/paperclip_generator.rb +27 -0
  6. data/generators/paperclip/templates/paperclip_migration.rb.erb +19 -0
  7. data/init.rb +1 -0
  8. data/lib/paperclip.rb +357 -0
  9. data/lib/paperclip/attachment.rb +399 -0
  10. data/lib/paperclip/callback_compatability.rb +33 -0
  11. data/lib/paperclip/geometry.rb +115 -0
  12. data/lib/paperclip/interpolations.rb +108 -0
  13. data/lib/paperclip/iostream.rb +59 -0
  14. data/lib/paperclip/matchers.rb +4 -0
  15. data/lib/paperclip/matchers/have_attached_file_matcher.rb +49 -0
  16. data/lib/paperclip/matchers/validate_attachment_content_type_matcher.rb +65 -0
  17. data/lib/paperclip/matchers/validate_attachment_presence_matcher.rb +48 -0
  18. data/lib/paperclip/matchers/validate_attachment_size_matcher.rb +85 -0
  19. data/lib/paperclip/processor.rb +49 -0
  20. data/lib/paperclip/storage.rb +247 -0
  21. data/lib/paperclip/thumbnail.rb +75 -0
  22. data/lib/paperclip/upfile.rb +50 -0
  23. data/shoulda_macros/paperclip.rb +117 -0
  24. data/tasks/paperclip_tasks.rake +79 -0
  25. data/test/attachment_test.rb +778 -0
  26. data/test/database.yml +4 -0
  27. data/test/fixtures/12k.png +0 -0
  28. data/test/fixtures/50x50.png +0 -0
  29. data/test/fixtures/5k.png +0 -0
  30. data/test/fixtures/bad.png +1 -0
  31. data/test/fixtures/s3.yml +8 -0
  32. data/test/fixtures/text.txt +0 -0
  33. data/test/fixtures/twopage.pdf +0 -0
  34. data/test/geometry_test.rb +177 -0
  35. data/test/helper.rb +108 -0
  36. data/test/integration_test.rb +483 -0
  37. data/test/interpolations_test.rb +124 -0
  38. data/test/iostream_test.rb +78 -0
  39. data/test/matchers/have_attached_file_matcher_test.rb +21 -0
  40. data/test/matchers/validate_attachment_content_type_matcher_test.rb +31 -0
  41. data/test/matchers/validate_attachment_presence_matcher_test.rb +23 -0
  42. data/test/matchers/validate_attachment_size_matcher_test.rb +51 -0
  43. data/test/paperclip_test.rb +319 -0
  44. data/test/processor_test.rb +10 -0
  45. data/test/storage_test.rb +330 -0
  46. data/test/thumbnail_test.rb +227 -0
  47. data/test/upfile_test.rb +36 -0
  48. metadata +161 -0
@@ -0,0 +1,399 @@
1
+ # encoding: utf-8
2
+ module Paperclip
3
+ # The Attachment class manages the files for a given attachment. It saves
4
+ # when the model saves, deletes when the model is destroyed, and processes
5
+ # the file upon assignment.
6
+ class Attachment
7
+
8
+ def self.default_options
9
+ @default_options ||= {
10
+ :url => "/system/:attachment/:id/:style/:filename",
11
+ :path => ":rails_root/public:url",
12
+ :styles => {},
13
+ :processors => [:thumbnail],
14
+ :convert_options => {},
15
+ :default_url => "/:attachment/:style/missing.png",
16
+ :default_style => :original,
17
+ :validations => [],
18
+ :storage => :filesystem,
19
+ :whiny => Paperclip.options[:whiny] || Paperclip.options[:whiny_thumbnails]
20
+ }
21
+ end
22
+
23
+ attr_reader :name, :instance, :default_style, :convert_options, :queued_for_write, :whiny, :options
24
+
25
+ # Creates an Attachment object. +name+ is the name of the attachment,
26
+ # +instance+ is the ActiveRecord object instance it's attached to, and
27
+ # +options+ is the same as the hash passed to +has_attached_file+.
28
+ def initialize name, instance, options = {}
29
+ @name = name
30
+ @instance = instance
31
+
32
+ options = self.class.default_options.merge(options)
33
+
34
+ @url = options[:url]
35
+ @url = @url.call(self) if @url.is_a?(Proc)
36
+ @path = options[:path]
37
+ @path = @path.call(self) if @path.is_a?(Proc)
38
+ @styles = options[:styles]
39
+ @normalized_styles = nil
40
+ @default_url = options[:default_url]
41
+ @validations = options[:validations]
42
+ @default_style = options[:default_style]
43
+ @storage = options[:storage]
44
+ @whiny = options[:whiny_thumbnails] || options[:whiny]
45
+ @convert_options = options[:convert_options]
46
+ @processors = options[:processors]
47
+ @options = options
48
+ @queued_for_delete = []
49
+ @queued_for_write = {}
50
+ @errors = {}
51
+ @validation_errors = nil
52
+ @dirty = false
53
+
54
+ initialize_storage
55
+ end
56
+
57
+ def styles
58
+ unless @normalized_styles
59
+ @normalized_styles = {}
60
+ (@styles.respond_to?(:call) ? @styles.call(self) : @styles).each do |name, args|
61
+ @normalized_styles[name] = Paperclip::Style.new(name, args, self)
62
+ end
63
+ end
64
+ @normalized_styles
65
+ end
66
+
67
+ def processors
68
+ @processors.respond_to?(:call) ? @processors.call(instance) : @processors
69
+ end
70
+
71
+ # What gets called when you call instance.attachment = File. It clears
72
+ # errors, assigns attributes, processes the file, and runs validations. It
73
+ # also queues up the previous file for deletion, to be flushed away on
74
+ # #save of its host. In addition to form uploads, you can also assign
75
+ # another Paperclip attachment:
76
+ # new_user.avatar = old_user.avatar
77
+ # If the file that is assigned is not valid, the processing (i.e.
78
+ # thumbnailing, etc) will NOT be run.
79
+ def assign uploaded_file
80
+ ensure_required_accessors!
81
+
82
+ if uploaded_file.is_a?(Paperclip::Attachment)
83
+ uploaded_file = uploaded_file.to_file(:original)
84
+ close_uploaded_file = uploaded_file.respond_to?(:close)
85
+ end
86
+
87
+ return nil unless valid_assignment?(uploaded_file)
88
+
89
+ uploaded_file.binmode if uploaded_file.respond_to? :binmode
90
+ self.clear
91
+
92
+ return nil if uploaded_file.nil?
93
+
94
+ @queued_for_write[:original] = uploaded_file.to_tempfile
95
+ instance_write(:file_name, uploaded_file.original_filename.strip.gsub(/[^A-Za-z\d\.\-_]+/, '_'))
96
+ instance_write(:content_type, uploaded_file.content_type.to_s.strip)
97
+ instance_write(:file_size, uploaded_file.size.to_i)
98
+ instance_write(:updated_at, Time.now)
99
+
100
+ @dirty = true
101
+
102
+ post_process if valid?
103
+
104
+ # Reset the file size if the original file was reprocessed.
105
+ instance_write(:file_size, @queued_for_write[:original].size.to_i)
106
+ ensure
107
+ uploaded_file.close if close_uploaded_file
108
+ validate
109
+ end
110
+
111
+ # Returns the public URL of the attachment, with a given style. Note that
112
+ # this does not necessarily need to point to a file that your web server
113
+ # can access and can point to an action in your app, if you need fine
114
+ # grained security. This is not recommended if you don't need the
115
+ # security, however, for performance reasons. set
116
+ # include_updated_timestamp to false if you want to stop the attachment
117
+ # update time appended to the url
118
+ def url style_name = default_style, include_updated_timestamp = true
119
+ url = original_filename.nil? ? interpolate(@default_url, style_name) : interpolate(@url, style_name)
120
+ include_updated_timestamp && updated_at ? [url, updated_at].compact.join(url.include?("?") ? "&" : "?") : url
121
+ end
122
+
123
+ # Returns the path of the attachment as defined by the :path option. If the
124
+ # file is stored in the filesystem the path refers to the path of the file
125
+ # on disk. If the file is stored in S3, the path is the "key" part of the
126
+ # URL, and the :bucket option refers to the S3 bucket.
127
+ def path style_name = default_style
128
+ original_filename.nil? ? nil : interpolate(@path, style_name)
129
+ end
130
+
131
+ # Alias to +url+
132
+ def to_s style_name = nil
133
+ url(style_name)
134
+ end
135
+
136
+ # Returns true if there are no errors on this attachment.
137
+ def valid?
138
+ validate
139
+ errors.empty?
140
+ end
141
+
142
+ # Returns an array containing the errors on this attachment.
143
+ def errors
144
+ @errors
145
+ end
146
+
147
+ # Returns true if there are changes that need to be saved.
148
+ def dirty?
149
+ @dirty
150
+ end
151
+
152
+ # Saves the file, if there are no errors. If there are, it flushes them to
153
+ # the instance's errors and returns false, cancelling the save.
154
+ def save
155
+ if valid?
156
+ flush_deletes
157
+ flush_writes
158
+ @dirty = false
159
+ true
160
+ else
161
+ flush_errors
162
+ false
163
+ end
164
+ end
165
+
166
+ # Clears out the attachment. Has the same effect as previously assigning
167
+ # nil to the attachment. Does NOT save. If you wish to clear AND save,
168
+ # use #destroy.
169
+ def clear
170
+ queue_existing_for_delete
171
+ @errors = {}
172
+ @validation_errors = nil
173
+ end
174
+
175
+ # Destroys the attachment. Has the same effect as previously assigning
176
+ # nil to the attachment *and saving*. This is permanent. If you wish to
177
+ # wipe out the existing attachment but not save, use #clear.
178
+ def destroy
179
+ clear
180
+ save
181
+ end
182
+
183
+ # Returns the name of the file as originally assigned, and lives in the
184
+ # <attachment>_file_name attribute of the model.
185
+ def original_filename
186
+ instance_read(:file_name)
187
+ end
188
+
189
+ # Returns the size of the file as originally assigned, and lives in the
190
+ # <attachment>_file_size attribute of the model.
191
+ def size
192
+ instance_read(:file_size) || (@queued_for_write[:original] && @queued_for_write[:original].size)
193
+ end
194
+
195
+ # Returns the content_type of the file as originally assigned, and lives
196
+ # in the <attachment>_content_type attribute of the model.
197
+ def content_type
198
+ instance_read(:content_type)
199
+ end
200
+
201
+ # Returns the last modified time of the file as originally assigned, and
202
+ # lives in the <attachment>_updated_at attribute of the model.
203
+ def updated_at
204
+ time = instance_read(:updated_at)
205
+ time && time.to_f.to_i
206
+ end
207
+
208
+ # Paths and URLs can have a number of variables interpolated into them
209
+ # to vary the storage location based on name, id, style, class, etc.
210
+ # This method is a deprecated access into supplying and retrieving these
211
+ # interpolations. Future access should use either Paperclip.interpolates
212
+ # or extend the Paperclip::Interpolations module directly.
213
+ def self.interpolations
214
+ warn('[DEPRECATION] Paperclip::Attachment.interpolations is deprecated ' +
215
+ 'and will be removed from future versions. ' +
216
+ 'Use Paperclip.interpolates instead')
217
+ Paperclip::Interpolations
218
+ end
219
+
220
+ # This method really shouldn't be called that often. It's expected use is
221
+ # in the paperclip:refresh rake task and that's it. It will regenerate all
222
+ # thumbnails forcefully, by reobtaining the original file and going through
223
+ # the post-process again.
224
+ def reprocess!
225
+ new_original = Tempfile.new("paperclip-reprocess")
226
+ new_original.binmode
227
+ if old_original = to_file(:original)
228
+ new_original.write( old_original.read )
229
+ new_original.rewind
230
+
231
+ @queued_for_write = { :original => new_original }
232
+ post_process
233
+
234
+ old_original.close if old_original.respond_to?(:close)
235
+
236
+ save
237
+ else
238
+ true
239
+ end
240
+ end
241
+
242
+ # Returns true if a file has been assigned.
243
+ def file?
244
+ !original_filename.blank?
245
+ end
246
+
247
+ # Writes the attachment-specific attribute on the instance. For example,
248
+ # instance_write(:file_name, "me.jpg") will write "me.jpg" to the instance's
249
+ # "avatar_file_name" field (assuming the attachment is called avatar).
250
+ def instance_write(attr, value)
251
+ setter = :"#{name}_#{attr}="
252
+ responds = instance.respond_to?(setter)
253
+ self.instance_variable_set("@_#{setter.to_s.chop}", value)
254
+ instance.send(setter, value) if responds || attr.to_s == "file_name"
255
+ end
256
+
257
+ # Reads the attachment-specific attribute on the instance. See instance_write
258
+ # for more details.
259
+ def instance_read(attr)
260
+ getter = :"#{name}_#{attr}"
261
+ responds = instance.respond_to?(getter)
262
+ cached = self.instance_variable_get("@_#{getter}")
263
+ return cached if cached
264
+ instance.send(getter) if responds || attr.to_s == "file_name"
265
+ end
266
+
267
+ private
268
+
269
+ def ensure_required_accessors! #:nodoc:
270
+ %w(file_name).each do |field|
271
+ unless @instance.respond_to?("#{name}_#{field}") && @instance.respond_to?("#{name}_#{field}=")
272
+ raise PaperclipError.new("#{@instance.class} model missing required attr_accessor for '#{name}_#{field}'")
273
+ end
274
+ end
275
+ end
276
+
277
+ def log message #:nodoc:
278
+ Paperclip.log(message)
279
+ end
280
+
281
+ def valid_assignment? file #:nodoc:
282
+ file.nil? || (file.respond_to?(:original_filename) && file.respond_to?(:content_type))
283
+ end
284
+
285
+ def validate #:nodoc:
286
+ unless @validation_errors
287
+ @validation_errors = @validations.inject({}) do |errors, validation|
288
+ name, options = validation
289
+ errors[name] = send(:"validate_#{name}", options) if allow_validation?(options)
290
+ errors
291
+ end
292
+ @validation_errors.reject!{|k,v| v == nil }
293
+ @errors.merge!(@validation_errors)
294
+ end
295
+ @validation_errors
296
+ end
297
+
298
+ def allow_validation? options #:nodoc:
299
+ (options[:if].nil? || check_guard(options[:if])) && (options[:unless].nil? || !check_guard(options[:unless]))
300
+ end
301
+
302
+ def check_guard guard #:nodoc:
303
+ if guard.respond_to? :call
304
+ guard.call(instance)
305
+ elsif ! guard.blank?
306
+ instance.send(guard.to_s)
307
+ end
308
+ end
309
+
310
+ def validate_size options #:nodoc:
311
+ if file? && !options[:range].include?(size.to_i)
312
+ options[:message].gsub(/:min/, options[:min].to_s).gsub(/:max/, options[:max].to_s)
313
+ end
314
+ end
315
+
316
+ def validate_presence options #:nodoc:
317
+ options[:message] unless file?
318
+ end
319
+
320
+ def validate_content_type options #:nodoc:
321
+ valid_types = [options[:content_type]].flatten
322
+ unless original_filename.blank?
323
+ unless valid_types.blank?
324
+ content_type = instance_read(:content_type)
325
+ unless valid_types.any?{|t| content_type.nil? || t === content_type }
326
+ options[:message] || "is not one of the allowed file types."
327
+ end
328
+ end
329
+ end
330
+ end
331
+
332
+ def initialize_storage #:nodoc:
333
+ @storage_module = Paperclip::Storage.const_get(@storage.to_s.capitalize)
334
+ self.extend(@storage_module)
335
+ end
336
+
337
+ def extra_options_for(style) #:nodoc:
338
+ all_options = convert_options[:all]
339
+ all_options = all_options.call(instance) if all_options.respond_to?(:call)
340
+ style_options = convert_options[style]
341
+ style_options = style_options.call(instance) if style_options.respond_to?(:call)
342
+
343
+ [ style_options, all_options ].compact.join(" ")
344
+ end
345
+
346
+ def post_process #:nodoc:
347
+ return if @queued_for_write[:original].nil?
348
+ return if fire_events(:before)
349
+ post_process_styles
350
+ return if fire_events(:after)
351
+ end
352
+
353
+ def fire_events(which) #:nodoc:
354
+ return true if callback(:"#{which}_post_process") == false
355
+ return true if callback(:"#{which}_#{name}_post_process") == false
356
+ end
357
+
358
+ def callback which #:nodoc:
359
+ instance.run_callbacks(which, @queued_for_write){|result, obj| result == false }
360
+ end
361
+
362
+ def post_process_styles #:nodoc:
363
+ styles.each do |name, style|
364
+ begin
365
+ raise RuntimeError.new("Style #{name} has no processors defined.") if style.processors.blank?
366
+ @queued_for_write[name] = style.processors.inject(@queued_for_write[:original]) do |file, processor|
367
+ Paperclip.processor(processor).make(file, style.processor_options, self)
368
+ end
369
+ rescue PaperclipError => e
370
+ log("An error was received while processing: #{e.inspect}")
371
+ (@errors[:processing] ||= []) << e.message if @whiny
372
+ end
373
+ end
374
+ end
375
+
376
+ def interpolate pattern, style_name = default_style #:nodoc:
377
+ Paperclip::Interpolations.interpolate(pattern, self, style_name)
378
+ end
379
+
380
+ def queue_existing_for_delete #:nodoc:
381
+ return unless file?
382
+ @queued_for_delete += [:original, *styles.keys].uniq.map do |style|
383
+ path(style) if exists?(style)
384
+ end.compact
385
+ instance_write(:file_name, nil)
386
+ instance_write(:content_type, nil)
387
+ instance_write(:file_size, nil)
388
+ instance_write(:updated_at, nil)
389
+ end
390
+
391
+ def flush_errors #:nodoc:
392
+ @errors.each do |error, message|
393
+ [message].flatten.each {|m| instance.errors.add(name, m) }
394
+ end
395
+ end
396
+
397
+ end
398
+ end
399
+
@@ -0,0 +1,33 @@
1
+ module Paperclip
2
+ # This module is intended as a compatability shim for the differences in
3
+ # callbacks between Rails 2.0 and Rails 2.1.
4
+ module CallbackCompatability
5
+ def self.included(base)
6
+ base.extend(ClassMethods)
7
+ base.send(:include, InstanceMethods)
8
+ end
9
+
10
+ module ClassMethods
11
+ # The implementation of this method is taken from the Rails 1.2.6 source,
12
+ # from rails/activerecord/lib/active_record/callbacks.rb, line 192.
13
+ def define_callbacks(*args)
14
+ args.each do |method|
15
+ self.class_eval <<-"end_eval"
16
+ def self.#{method}(*callbacks, &block)
17
+ callbacks << block if block_given?
18
+ write_inheritable_array(#{method.to_sym.inspect}, callbacks)
19
+ end
20
+ end_eval
21
+ end
22
+ end
23
+ end
24
+
25
+ module InstanceMethods
26
+ # The callbacks in < 2.1 don't worry about the extra options or the
27
+ # block, so just run what we have available.
28
+ def run_callbacks(meth, opts = nil, &blk)
29
+ callback(meth)
30
+ end
31
+ end
32
+ end
33
+ end
@@ -0,0 +1,115 @@
1
+ module Paperclip
2
+
3
+ # Defines the geometry of an image.
4
+ class Geometry
5
+ attr_accessor :height, :width, :modifier
6
+
7
+ # Gives a Geometry representing the given height and width
8
+ def initialize width = nil, height = nil, modifier = nil
9
+ @height = height.to_f
10
+ @width = width.to_f
11
+ @modifier = modifier
12
+ end
13
+
14
+ # Uses ImageMagick to determing the dimensions of a file, passed in as either a
15
+ # File or path.
16
+ def self.from_file file
17
+ file = file.path if file.respond_to? "path"
18
+ geometry = begin
19
+ Paperclip.run("identify", %Q[-format "%wx%h" "#{file}"[0]])
20
+ rescue PaperclipCommandLineError
21
+ ""
22
+ end
23
+ parse(geometry) ||
24
+ raise(NotIdentifiedByImageMagickError.new("#{file} is not recognized by the 'identify' command."))
25
+ end
26
+
27
+ # Parses a "WxH" formatted string, where W is the width and H is the height.
28
+ def self.parse string
29
+ if match = (string && string.match(/\b(\d*)x?(\d*)\b([\>\<\#\@\%^!])?/i))
30
+ Geometry.new(*match[1,3])
31
+ end
32
+ end
33
+
34
+ # True if the dimensions represent a square
35
+ def square?
36
+ height == width
37
+ end
38
+
39
+ # True if the dimensions represent a horizontal rectangle
40
+ def horizontal?
41
+ height < width
42
+ end
43
+
44
+ # True if the dimensions represent a vertical rectangle
45
+ def vertical?
46
+ height > width
47
+ end
48
+
49
+ # The aspect ratio of the dimensions.
50
+ def aspect
51
+ width / height
52
+ end
53
+
54
+ # Returns the larger of the two dimensions
55
+ def larger
56
+ [height, width].max
57
+ end
58
+
59
+ # Returns the smaller of the two dimensions
60
+ def smaller
61
+ [height, width].min
62
+ end
63
+
64
+ # Returns the width and height in a format suitable to be passed to Geometry.parse
65
+ def to_s
66
+ s = ""
67
+ s << width.to_i.to_s if width > 0
68
+ s << "x#{height.to_i}" if height > 0
69
+ s << modifier.to_s
70
+ s
71
+ end
72
+
73
+ # Same as to_s
74
+ def inspect
75
+ to_s
76
+ end
77
+
78
+ # Returns the scaling and cropping geometries (in string-based ImageMagick format)
79
+ # neccessary to transform this Geometry into the Geometry given. If crop is true,
80
+ # then it is assumed the destination Geometry will be the exact final resolution.
81
+ # In this case, the source Geometry is scaled so that an image containing the
82
+ # destination Geometry would be completely filled by the source image, and any
83
+ # overhanging image would be cropped. Useful for square thumbnail images. The cropping
84
+ # is weighted at the center of the Geometry.
85
+ def transformation_to dst, crop = false
86
+ if crop
87
+ ratio = Geometry.new( dst.width / self.width, dst.height / self.height )
88
+ scale_geometry, scale = scaling(dst, ratio)
89
+ crop_geometry = cropping(dst, ratio, scale)
90
+ else
91
+ scale_geometry = dst.to_s
92
+ end
93
+
94
+ [ scale_geometry, crop_geometry ]
95
+ end
96
+
97
+ private
98
+
99
+ def scaling dst, ratio
100
+ if ratio.horizontal? || ratio.square?
101
+ [ "%dx" % dst.width, ratio.width ]
102
+ else
103
+ [ "x%d" % dst.height, ratio.height ]
104
+ end
105
+ end
106
+
107
+ def cropping dst, ratio, scale
108
+ if ratio.horizontal? || ratio.square?
109
+ "%dx%d+%d+%d" % [ dst.width, dst.height, 0, (self.height * scale - dst.height) / 2 ]
110
+ else
111
+ "%dx%d+%d+%d" % [ dst.width, dst.height, (self.width * scale - dst.width) / 2, 0 ]
112
+ end
113
+ end
114
+ end
115
+ end