我开始使用Carrierwave作为Paperclip的替代方案。
我可以从文档中看到要使用S3我应该在初始化程序中配置Fog:
CarrierWave.configure do |config|
config.fog_credentials = {
:provider => 'AWS', # required
:aws_access_key_id => 'xxx', # required
:aws_secret_access_key => 'yyy', # required
:region => 'eu-west-1' # optional, defaults to 'us-east-1'
}
end
但是,如何为不同的环境设置不同的存储桶?使用回形针,我将在yml文件中为开发/生产/等指定不同的凭据和/或存储桶。使用carrierwave的最佳方法是什么?
答案 0 :(得分:5)
如果你愿意的话,你可以完全以同样的方式完成它,就像这个完全没有经过考验的想法一样:
# config/initializers/carrierwave.rb
CarrierWave.configure do |config|
my_config = "#{Rails.root}/config/fog_credentials.yml"
YAML.load_file(my_config)[Rails.env].each do |key, val|
config.send("#{key}=", val)
end
end
# config/fog_credentials.yml
common: &common
aws_access_key: 'whatever'
...
fog_credentials:
provider: 'whoever'
...
production:
<<: *common
fog_directory: 'my-production-bucket'
development:
<<: *common
fog_directory: 'my-dev-bucket'
或者,如果您想放弃YAML,您可以随时在初始化程序中测试环境并使用案例或条件,最简单的方法如下:
CarrierWave.configure.do |config|
if Rails.env.development?
# configure one env
else
# configure another
end
# configure common stuff
end
答案 1 :(得分:1)
class S3ArticleUploader < CarrierWave::Uploader::Base
if Rails.env.test?
storage :file
else
storage :fog
end
def fog_directory
ARTICLE_UPLOADER_BUCKET
end
def store_dir
"#{ model.parent_id }/#{ model.id }"
end
end
# config/environments/development.rb
ARTICLE_UPLOADER_BUCKET = 'development-articles'
# config/environments/production.rb
ARTICLE_UPLOADER_BUCKET = 'production-articles'
当您不在TestEnvironment中并且初始化右侧时,fog_directory方法调用 BUCKET。
你也可以这样做:
def store_dir
if self._storage == CarrierWave::Storage::File
"#{Rails.root}/tmp/files/#{ model.parent_id }/#{ model.id }"
elsif self._storage == CarrierWave::Storage::Fog
"#{ model.parent_id }/#{ model.id }"
end
end
class S3ArticleUploader < CarrierWave::Uploader::Base
if Rails.env.test?
storage :file
else
storage :fog
end
def initialize
self.fog_directory = ARTICLE_UPLOADER_BUCKET
end
def store_dir
"#{ model.parent_id }/#{ model.id }"
end
end