我有一个使用Paperclip来处理图像的模型。当图像上传时,对一些javascript裁剪进行预览,然后从所选择的裁剪中制作缩略图和预览尺寸。给我们S3总共3张图片:
附件模型中的代码是:
has_attached_file :picture, ASSET_INFO.merge(
:whiny => false,
:styles => { :thumb => '200>x200#', :preview => '400x300>' },
:processors => [:jcropper],
:preserve_files => true
)
我们有一些功能允许用户为自己的目的制作对象的副本,我们想要复制图像。我以为这只是做一个简单的
new_my_model.picture = original_my_model.picture if original_my_model.picture_file_name #no file name means no picture
会完成工作,而且确实如此。但只有一点。
它正在复制图片,然后根据模型中的设置重新处理预览和缩略图。
我想要做的是将所有3个现有图像(原始图像,拇指图像和预览图像)复制到原始图像的新对象,然后将它们保存在S3上的相应位置,跳过调整大小/裁剪。
有人能指出我正确的方向吗?我在线搜索,似乎找不到任何东西,我尝试的一切似乎都不起作用。在原始图片上执行.dup
会导致异常,因此该想法已经完成。
答案 0 :(得分:2)
手动裁剪打破Paperclip的自动裁剪/调整大小计划。在您想要将附件从一个模型复制到另一个模型之前,这没关系。您有两种选择: 保存数据库中每种样式的裁剪参数,然后调用"重新处理!"复制后(based on the this question)。
我无意在数据库中保存裁剪数据,这完全没用。我决定盲目地复制图像,直接调用S3。不是最佳的,但有效:
module Customizable
def duplicate copy_args
new_model = self.dup
copy_args.each {|key, val| new_model[key] = val}
new_model.save
s3 = AWS::S3.new(self.image.s3_credentials)
bucket = s3.buckets[self.image.s3_credentials[:bucket]]
styles = self.image.styles.keys.insert(0, :original)
begin
styles.each do |style|
current_url = self.image.path(style)
current_object = bucket.objects[current_url]
if current_object.exists?
# actually asking S3 if object exists
new_url = new_model.image.path(style)
new_object = bucket.objects.create(new_url)
# this is where the copying takes place:
new_object.copy_from(current_object)
new_object.acl = current_object.acl
end
end
rescue Exception => err
return err
end
return true
end
end
在我的模特中:
class Product < ActiveRecord::Base
# ...
has_attached_file :image, ...
# ...
include Customizable
def customize product_id
return self.duplicate({:in_sale => false}) #resetting some values to the duplicated model
end
# ...
end