12

Rails 4 は例外ActionDispatch::ParamsParser::ParseError例外を追加しますが、ミドルウェア スタックにあるため、通常のコントローラー環境ではレスキューできないようです。json API アプリケーションでは、標準のエラー形式で応答する必要があります。

この要点は、ミドルウェアを挿入して傍受して応答するための戦略を示しています。このパターンに従って、私は持っています:

アプリケーション.rb:

module Traphos
  class Application < Rails::Application
    ....
    config.middleware.insert_before ActionDispatch::ParamsParser, "JSONParseError"
 end
end

そしてミドルウェアは次のとおりです。

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

  def call(env)
    begin
      @app.call(env)
    rescue ActionDispatch::ParamsParser::ParseError => e
      [422, {}, ['Parse Error']]
    end
  end
end

ミドルウェアなしでテストを実行すると、(仕様):

Failures:

  1) Photo update attributes with non-parseable json
     Failure/Error: patch update_url, {:description => description}, "CONTENT_TYPE" => content_type, "HTTP_ACCEPT" => accepts, "HTTP_AUTHORIZATION" => @auth
     ActionDispatch::ParamsParser::ParseError:
       399: unexpected token at 'description=Test+New+Description]'

これはまさに私が期待するものです(私がrescue_fromできないParseError)。

上記のミドルウェアに追加する変更は次のとおりです。

  2) Photo update attributes with non-parseable json
     Failure/Error: response.status.should eql(422)

       expected: 422
            got: 200

また、ログは、標準コントローラー アクションが実行され、通常の応答を返していることを示しています (ただし、パラメーターを受信しなかったため、何も更新されませんでした)。

私の質問:

  1. どのように ParseError からレスキューし、カスタム レスポンスを返すことができますか。私は正しい軌道に乗っているように感じますが、完全ではありません。

  2. 例外が発生してレスキューされたときに、コントローラーのアクションがまだ進行している理由がわかりません。

--Kip さん、どうもありがとうございました。

4

2 に答える 2

7

ミドルウェアスタックのさらに上位にあるActionDispatch::ShowExceptionsは、例外アプリを使用して構成できることがわかりました。

module Traphos
  class Application < Rails::Application
    # For the exceptions app
    require "#{config.root}/lib/exceptions/public_exceptions"
    config.exceptions_app = Traphos::PublicExceptions.new(Rails.public_path)
  end
end

私が現在使用しているRailsに大きく基づいています。

module Traphos
  class PublicExceptions
    attr_accessor :public_path

    def initialize(public_path)
      @public_path = public_path
    end

    def call(env)
      exception    = env["action_dispatch.exception"]
      status       = code_from_exception(env["PATH_INFO"][1..-1], exception)
      request      = ActionDispatch::Request.new(env)
      content_type = request.formats.first
      body         = {:status => { :code => status, :exception => exception.class.name, :message => exception.message }}
      render(status, content_type, body)
    end

    private

    def render(status, content_type, body)
      format = content_type && "to_#{content_type.to_sym}"
      if format && body.respond_to?(format)
        render_format(status, content_type, body.public_send(format))
      else
        render_html(status)
      end
    end

    def render_format(status, content_type, body)
      [status, {'Content-Type' => "#{content_type}; charset=#{ActionDispatch::Response.default_charset}",
                'Content-Length' => body.bytesize.to_s}, [body]]
    end

    def render_html(status)
      found = false
      path = "#{public_path}/#{status}.#{I18n.locale}.html" if I18n.locale
      path = "#{public_path}/#{status}.html" unless path && (found = File.exist?(path))

      if found || File.exist?(path)
        render_format(status, 'text/html', File.read(path))
      else
        [404, { "X-Cascade" => "pass" }, []]
      end
    end

    def code_from_exception(status, exception)
      case exception
      when ActionDispatch::ParamsParser::ParseError
        "422"
      else
        status
      end
    end
  end
end

テスト環境で使用するには、構成変数を設定する必要があります(そうしないと、開発とテストで標準の例外処理が行われます)。だから私が持っていることをテストするために(重要な部分だけを持つように編集されました):

describe Photo, :type => :api do
  context 'update' do
    it 'attributes with non-parseable json' do 

      Rails.application.config.consider_all_requests_local = false
      Rails.application.config.action_dispatch.show_exceptions = true

      patch update_url, {:description => description}
      response.status.should eql(422)
      result = JSON.parse(response.body)
      result['status']['exception'].should match(/ParseError/)

      Rails.application.config.consider_all_requests_local = true
      Rails.application.config.action_dispatch.show_exceptions = false
    end
  end
end

これは、パブリックAPIの方法で必要に応じて実行され、カスタマイズすることを選択した他の例外に適応できます。

于 2013-03-18T12:01:22.090 に答える