4

我正在尝试找到一种从 CoffeeScript 文件自动生成 Javascript 的方法,就像您在 Sinatra 中很容易做到的那样:

require 'sinatra'
require 'coffee-script'
get '/*.js' do
  name = params[:splat][0]
  file_name = File.join("#{name}.coffee")
  pass unless File.exists?(file_name)
  content_type(:js, :charset => 'utf-8')
  coffee(IO.read(file_name))
end

这样,在我的代码中,.js即使我只有.coffee文件,我也可以表现得像文件存在一样。与使用客户端 CoffeeScript 编译器相比,它的特殊性和错误更少……

4

2 回答 2

2

谢谢leucos!!!

我也想过一个 Rack 中间件,但想知道是否没有更“ramaze”的解决方案(比如先天)。

无论如何,这很有效,而且很棒!

这是您的代码的修改版本:

require 'coffee-script'

# An attempt to allow Ramaze to generate Js file from coffee files
module Rack
  class BrewedCoffee
    def initialize(app, options = {})
      @app = app
      @lookup_path = options[:lookup_path].nil? ? [__DIR__] : options[:lookup_path]
    end

    def call(env)
      name = env['PATH_INFO']

      # Continue processing if requested file is not js
      return @app.call(env) if File.extname(name) != '.js'

      coffee_name = "#{name[0...-3]}.coffee"

      @lookup_path.each do |p|
        coffee_file = File.join(p, coffee_name)
        next unless File.file?(coffee_file)

        response_body = CoffeeScript.compile(File.read(coffee_file))
        headers = {}
        headers["Content-Type"] = 'application/javascript'
        headers["Content-Length"] = response_body.length.to_s

        return [200, headers, [response_body]]
      end

      @app.call(env)
    end
  end
end

我清理了一些东西并删除了 Ramaze 依赖项,这样它就是一个纯 Rack 中间件:)。

您可以使用它调用:

m.use Rack::BrewedCoffee, :lookup_path => Ramaze.options.roots

再见,安德烈亚斯

于 2012-07-04T08:40:04.143 回答
1

处理这个问题的最好方法可能是编写自己的机架中间件,并像下面这样使用它。您可能需要使用某种缓存,这样您就不会在每次调用时都.js从文件中重建文件。.coffee

require 'ramaze'

class BrewedCoffee
  def initialize(app)
    @app = app
  end

  def call(env)
    name = env['PATH_INFO']

    # Continue processing if requested file is not js
    return @app.call(env) if name !~ /\.js$/

    # Caching & freshness checks here...
    # ...

    # Brewing coffee
    name = name.split('.')[0..-2].join('.') + ".coffee"

    Ramaze.options.roots.each do |p|
      file_name = File.join("#{name}.coffee")
      next unless File.exists?(file_name)

      response_body = coffee(IO.read(file_name))
      headers["Content-Type"] = 'application/javascript'
      headers["Content-Length"] = response_body.length.to_s


      [status, headers, response_body]
    end

    @app.call(env)
  end
end


class MyController < Ramaze::Controller
  map '/'

  ...
end

Ramaze.middleware! :dev do |m|
  m.use(BrewedCoffee)
  m.run(Ramaze::AppMap)
end

Ramaze.start

这很快就被黑了,需要更多的爱,但你明白了。而且您可能不想在生产中执行此操作,而只是预先构建咖啡的东西,否则您的系统操作员会遇到麻烦:D

于 2012-07-04T07:26:44.363 回答