2

也许是一个非常愚蠢的问题,请不要为此标记我,但我终于让 Heroku 使用asset_sync 在我的 S3 存储桶中编译它的静态资产。

现在我怎么知道这些资产实际上是从那里提供的,我认为没有任何魔法可以将它们从 s3 中拉出来?我必须为每个带有前缀的资产设置路径

https://s3-eu-west-1.amazonaws.com/pathto/asset

有没有办法在 sinatra 中明确设置它,我不必手动更改每个资产吗?那太傻了。

assets_sync 文档说要在 rails 中使用它

config.action_controller.asset_host = "//#{ENV['FOG_DIRECTORY']}.s3.amazonaws.com"

但我不确定如何在 sinatra 中设置它

编辑

require 'bundler/setup'
Bundler.require(:default)
require 'active_support/core_ext'
require './config/env' if File.exists?('config/env.rb')
require './config/config'
require "rubygems"
require 'sinatra'


configure :development do
AssetSync.config.action_controller.asset_host = "//#{ENV['FOG_DIRECTORY']}.s3.amazonaws.com"
end


get '/' do
 erb :index
end

get '/about' do
 erb :about
end

这会在控制台中出现以下错误

 undefined method `action_controller' for #<AssetSync::Config:0x24d1238> (NoMethodError)
4

1 回答 1

2

尝试通过Async Built-in initializer将其放入Sinatra 的配置块中,例如:

configure :production do
  AssetSync.config.action_controller.asset_host = "//#{ENV['FOG_DIRECTORY']}.s3.amazonaws.com"
end

有可能你也必须AssetSync.sync在某个时候打电话,我不确定。


编辑:使用配置块。

如果您使用的是模块化应用程序(如果没有,它没有任何不同,只需删除这些class位)

class App < Sinatra::Base
  configure :development do
    set :this, "and that"
    enable :something
    set :this_only, "gets run in development mode"
  end

  configure :production do
    set :this, "to something else"
    disable :something
    set :this_only, "gets run in production"
    # put your AssetSync stuff in here
  end

  get "/" do
    # …
  end

  get "/assets" do
    # …
  end

  post "/more-routes" do
    # …
  end

  # etc
end

有关更多信息,请参阅我在上面添加的链接。


action_controller是 Rails 的一部分。要为路径添加前缀,您可以做的最好的事情是使用帮助器:

helpers do
  def aws_asset( path )
    File.join settings.asset_host, path
  end
end

configure :production do
  set :asset_host, "//#{ENV['FOG_DIRECTORY']}.s3.amazonaws.com"
end

configure :development do
  set :asset_host, "/" # this should serve it from the `public_folder`, add subdirs if you need to.
end

然后在路线或视图中,您可以执行以下操作:

aws_asset "sprite_number_1.jpg"

要与 ERB 和sinatra-static-assets 的 image_tag一起使用:

image_tag( aws_asset "sprite_number_1.jpg" )

或将它们组合起来(这可能不起作用,因为在image_tag帮助器的范围内可能看不到帮助器,尝试它比考虑它更容易):

helpers do
  def aws_image( path )
    image_tag( File.join settings.asset_host, path )
  end
end

# in your view
aws_image( "sprite_number_1.jpg" )

我相信会有一种更简单的方法来做到这一点,但这会是一个快速而肮脏的解决方案。

于 2013-03-19T23:38:46.360 回答