5

私は現在、Mongrelを使用してカスタムWebアプリケーションプロジェクトを開発しています。

Mongrelに、正規表現に基づいて定義されたHttpハンドラーを使用してもらいたいです。たとえば、誰かがhttp://test/bla1.jshttp: //test/bla2.jsなどのURLを呼び出すたびに、同じHttpハンドラーが呼び出されてリクエストが管理されます。

これまでの私のコードは次のようになります。

http_server = Mongrel::Configurator.new :host => config.get("http_host") do
  listener :port => config.get("http_port") do

    uri Regexp.escape("/[a-z0-9]+.js"), :handler => BLAH::CustomHandler.new
    uri '/ui/public', :handler => Mongrel::DirHandler.new("#{$d}/public/")
    uri '/favicon', :handler => Mongrel::Error404Handler.new('')

    trap("INT") { stop }
    run
  end
end

ご覧のとおり、ここでは文字列の代わりに正規表現を使用しようとしています。

 uri Regexp.escape("/[a-z0-9]+.js"), :handler => BLAH::CustomHandler.new

しかし、それは機能しません。解決策はありますか?

それをありがとう。

4

2 に答える 2

2

代わりに、 Rack アプリケーションの作成を検討する必要があります。ラックは次のとおりです。

  • Ruby Web アプリケーションの標準
  • すべての一般的な Ruby Web フレームワーク ( RailsMerbSinatraCampingRamazeなど) で内部的に使用されます。
  • 拡張がはるかに簡単
  • 任意のアプリケーション サーバー (Mongrel、Webrick、Thin、Passenger など) ですぐに実行できます。

Rack には URL マッピング DSL、Rack::Builderがあり、さまざまな Rack アプリケーションを特定の URL プレフィックスにマップできます。通常は として保存しconfig.ru、 で実行しrackupます。

残念ながら、正規表現も許可されていません。しかし、Rack の単純さのおかげで、lambdaURL が特定の正規表現に一致する場合に適切なアプリを呼び出す「アプリケーション」 (実際には ) を作成するのは非常に簡単です。

あなたの例に基づいて、あなたconfig.ruは次のようになります:

require "my_custom_rack_app" # Whatever provides your MyCustomRackApp.

js_handler = MyCustomRackApp.new

default_handlers = Rack::Builder.new do
  map "/public" do
    run Rack::Directory.new("my_dir/public")
  end

  # Uncomment this to replace Rack::Builder's 404 handler with your own:
  # map "/" do
  #   run lambda { |env|
  #     [404, {"Content-Type" => "text/plain"}, ["My 404 response"]]
  #   }
  # end
end

run lambda { |env|
  if env["PATH_INFO"] =~ %r{/[a-z0-9]+\.js}
    js_handler.call(env)
  else
    default_handlers.call(env)
  end
}

次に、コマンド ラインで Rack アプリを実行します。

% rackup

mongrel がインストールされている場合は、ポート 9292 で開始されます

于 2010-03-05T10:17:25.003 に答える
1

Mongrel の の一部に新しいコードを挿入する必要がありURIClassifierます。それ以外の場合は、正規表現の URI を幸いなことに認識しません。

以下は、まさにそれを行う1つの方法です。

#
# Must do the following BEFORE Mongrel::Configurator.new
#  Augment some of the key methods in Mongrel::URIClassifier
#  See lib/ruby/gems/XXX/gems/mongrel-1.1.5/lib/mongrel/uri_classifier.rb
#
Mongrel::URIClassifier.class_eval <<-EOS, __FILE__, __LINE__
  # Save original methods
  alias_method :register_without_regexp, :register
  alias_method :unregister_without_regexp, :unregister
  alias_method :resolve_without_regexp, :resolve

  def register(uri, handler)
    if uri.is_a?(Regexp)
      unless (@regexp_handlers ||= []).any? { |(re,h)| re==uri ? h.concat(handler) : false }
        @regexp_handlers << [ uri, handler ]
      end
    else
      # Original behaviour
      register_without_regexp(uri, handler)
    end
  end

  def unregister(uri)
    if uri.is_a?(Regexp)
      raise Mongrel::URIClassifier::RegistrationError, "\#{uri.inspect} was not registered" unless (@regexp_handlers ||= []).reject! { |(re,h)| re==uri }
    else
      # Original behaviour
      unregister_without_regexp(uri)
    end
  end

  def resolve(request_uri)
    # Try original behaviour FIRST
    result = resolve_without_regexp(request_uri)
    # If a match is not found with non-regexp URIs, try regexp
    if result[0].blank?
      (@regexp_handlers ||= []).any? { |(re,h)| (m = re.match(request_uri)) ? (result = [ m.pre_match + m.to_s, (m.to_s == Mongrel::Const::SLASH ? request_uri : m.post_match), h ]) : false }
    end
    result
  end
EOS

http_server = Mongrel::Configurator.new :host => config.get("http_host") do 
  listener :port => config.get("http_port") do 

    # Can pass a regular expression as URI
    #  (URI must be of type Regexp, no escaping please!)
    # Regular expression can match any part of an URL, start with "^/..." to
    #  anchor match at URI beginning.
    # The way this is implemented, regexp matches are only evaluated AFTER
    #  all non-regexp matches have failed (mostly for performance reasons.)
    # Also, for regexp URIs, the :in_front is ignored; adding multiple handlers
    #  to the same URI regexp behaves as if :in_front => false
    uri /^[a-z0-9]+.js/, :handler => BLAH::CustomHandler.new 

    uri '/ui/public', :handler => Mongrel::DirHandler.new("#{$d}/public/") 
    uri '/favicon', :handler => Mongrel::Error404Handler.new('') 

    trap("INT") { stop } 
    run 
  end 
end

Mongrel 1.1.5 で問題なく動作するようです。

于 2010-03-05T09:29:00.373 に答える