11

条件付きで Cookie を設定する必要がある Rails アプリ用のラック ミドルウェア コンポーネントを作成しています。私は現在、Cookieを設定することを理解しようとしています。グーグルで調べてみると、これはうまくいくはずです:

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

  def call(env)
    @status, @headers, @response = @app.call(env)
    @response.set_cookie("foo", {:value => "bar", :path => "/", :expires => Time.now+24*60*60})
    [@status, @headers, @response]
  end
end

エラーは発生しませんが、Cookie も設定されません。私は何を間違っていますか?

4

2 に答える 2

25

Responseクラスを使用する場合は、スタックのさらに下のミドルウェア層を呼び出した結果からインスタンス化する必要があります。また、このようなミドルウェアのインスタンス変数は必要なく、おそらくそのように使用したくないでしょう(@ status、etcは、リクエストが処理された後もミドルウェアインスタンスに残ります)

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

  def call(env)
    status, headers, body = @app.call(env)
    # confusingly, response takes its args in a different order
    # than rack requires them to be passed on
    # I know it's because most likely you'll modify the body, 
    # and the defaults are fine for the others. But, it still bothers me.

    response = Rack::Response.new body, status, headers

    response.set_cookie("foo", {:value => "bar", :path => "/", :expires => Time.now+24*60*60})
    response.finish # finish writes out the response in the expected format.
  end
end

何をしているのかがわかっている場合、新しいオブジェクトをインスタンス化したくない場合は、Cookieヘッダーを直接変更できます。

于 2010-07-20T23:36:26.353 に答える
17

ライブラリを使用してRack::Utils、Rack::Response オブジェクトを作成せずにヘッダーを設定および削除することもできます。

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

  def call(env)
    status, headers, body = @app.call(env)

    Rack::Utils.set_cookie_header!(headers, "foo", {:value => "bar", :path => "/"})

    [status, headers, body]
  end
end
于 2011-11-09T21:47:54.073 に答える