3

我在 Ruby on Rails 应用程序中使用 Shrine 来创建调整大小并将图像上传到存储的过程。

我目前的代码是:


image_uploader.rb

require "image_processing/mini_magick"

class ImageUploader < Shrine
  plugin :derivatives

  Attacher.derivatives_processor do |original|
    magick = ImageProcessing::MiniMagick.source(original)
    {
      resized: magick.resize_to_limit!(120, 120)
    }
  end

end

用户.rb

class User < ApplicationRecord
  include ImageUploader::Attachment(:image)
  before_save :image_resize

  def image_resize
    self.image_derivatives!
  end
end

我在阅读官方文档时实现了它,但这在两个方面是不可取的。

  1. 需要在模型代码中触发。可以只用完成image_uploader.rb吗?
  2. 访问使用此代码生成的图像需要“调整大小”前缀(例如@user.image(:resized).url),并且原始图像也将保留在存储中。我想自己处理原始图像。

有没有办法在解决这两个问题的同时上传?

4

1 回答 1

2
  1. 您可以添加以下补丁,作为将缓存文件升级为永久存储的一部分,这将触发衍生产品的创建:

    # put this in your initializer
    class Shrine::Attacher
      def promote(*)
        create_derivatives
        super
      end
    end
    
  2. 您可以覆盖检索附件的模型方法以返回调整大小的版本。您可以使用该included插件对使用此上传器的所有模型执行此操作:

    class ImageUploader < Shrine
      # ...
      plugin :included do |name|
        define_method(name) { super(:resized) }
      end
    end
    

至于第二个问题:它仍然会将原始文件保留在存储中,但默认返回调整大小的版本。通常最好在视图装饰器中执行此操作。

您总是希望将原始文件保留在存储中,因为您永远不知道何时需要重新处理它。您可能会发现当前调整大小的逻辑不适用于某些文件类型和大小,在这种情况下,您需要为以前的附件重新生成调整大小的版本。如果您不再拥有原始文件,您将无法做到这一点。

于 2019-11-24T20:35:12.763 回答