2
class Foo
  def do_before
    ...
  end

  def do_something
    ...

do_beforeクラス内の他の各メソッドの前にメソッドを実行する方法はありますかFoo(のようにdo_something)?

Sinatrabeforeブロックは、このクラスとは関係のない各 HTTP リクエストの前に実行されるようです。

編集: Michael がコメントで指摘したように、Rails が提供する唯一の同様の機能はコントローラーにあります。ただし、Rails と Sinatra の両方が、この機能に似たものを提供しています。

4

3 に答える 3

6

iainがコメントで指摘したように、指定した例は Rails/Sinatra に固有のものではありません。Rails のもののような前にフィルターが必要であると仮定しています。これが Sinatra が提供するものです。

Sinatra のモジュラー アプリ:

class Foo < Sinatra::Base

  before do
    "Do something"
  end

  get '/' do
    "Hello World"
  end
end

class Bar < Sinatra::Base

  before do
    "Do something else"
  end

  get '/' do
    "Hello World"
  end
end

あなたのconfig.rbファイルでは、

require 'foo.rb'
require 'bar.rb'

map '/foo' do
  run Foo
end

map '/bar' do
  run Bar
end

これは、Sinatra の Rails コントローラーに最も近いアナロジーです。このようなクラスをさらに作成すると、同様の機能が得られます (似ていますが、Rails の世界で期待するものとは異なる場合があります)。

于 2013-04-20T07:19:25.157 に答える
3

あなたが何をしているのかわからないと、答え方を知るのが難しくなりますが、ウェブ上の情報を増やすために;) @fmendezの答えに代わるものを提供します:

module Filterable
  def self.included(base)
    base.extend ClassMethods
  end
  module ClassMethods
    def do_before( name, &block )
      before_filters[name.to_sym] = block
    end
    def before_filters
      @before_filters ||= {}
    end
    def method_added( name )
      return if name.to_s.start_with?("unfiltered_")
      return if before_filters.has_key? name
      before_filters[name.to_sym] ||= nil
      alias_method "unfiltered_#{name}", name
      define_method name do |*args,&block|
        self.class.before_filters[name.to_sym].call if self.class.before_filters[name.to_sym]
        send "unfiltered_#{name}", *args, &block
      end
    end
  end
end

class Foo
  include Filterable

  def something( x )
    x * 3
  end

  do_before :something do
    puts "Before…"
  end
end

Foo.new.something 4

出力:

前…<br> # => 12

于 2013-04-21T18:45:12.867 に答える
3

少しのメタプログラミングを使用して、before フィルターを作成することもできます。例えば:

class Foo
  def method_1; p "Method 1"; end
  def method_2; p "Method 2"; end
  def preprocess_method; p "Pre-Processing method"; end

  def self.before_filter m
    current_methods = instance_methods(false) - [m]
    self.new.instance_eval do
      current_methods.each do |meth|
        inst_method =  public_method(meth)
        self.class.send :define_method,inst_method.name do
          public_send m
          inst_method.call
        end
      end
    end
  end
  before_filter :preprocess_method
end

o = Foo.new
o.method_1
#output: 
"Pre-Processing method"
"Method 1"

o.method_2
#outputs
"Pre-Processing method"
"Method 2"

この場合、preprocess_method(例では do_before です)は、Foo クラス内で定義されたインスタンス メソッドへの各呼び出しの前に呼び出されます。

于 2013-04-21T17:58:44.897 に答える