葡萄:拯救无效JSON

Grape: Rescue from invalid JSON

第一个:

我正在使用葡萄构建我的 API (Rails 4)。当有人发送无效的 JSON 正文时(例如忘记最后一个 }),会引发以下错误:

ActionDispatch::ParamsParser::ParseError (795: unexpected token at '{"foobar": 1234

')

我用 grapes rescue_from :all 选项尝试过,但这不起作用。在堆栈跟踪中,我没有看到涉及的葡萄 gem。似乎这个错误是从 actionpack:

抛出的
  .gems/gems/actionpack-4.1.4/lib/action_dispatch/middleware/params_parser.rb:53:in `rescue in parse_formatted_parameters'
  .gems/gems/actionpack-4.1.4/lib/action_dispatch/middleware/params_parser.rb:32:in `parse_formatted_parameters'
  .gems/gems/actionpack-4.1.4/lib/action_dispatch/middleware/params_parser.rb:23:in `call'

但是捕获这些错误 return 和 400: Bad Request 错误并将 unexpected token at '{"foobar": 1234 消息包含在 json 响应中的最佳方法是什么?

第二个:

我尝试用 RSpec 测试这个,但没有成功发送带有无效 JSON 的原始请求。我试过

post "/my_route", '{some invalid json'

但这不会引发上面的错误。我以为自从 Rails 4,作为字符串传递的第二个参数被视为原始主体?

不幸的是,ActionDispatch 在到达控制器之前运行得很好,因此您将无法使用 Grape (AFAIK) 执行此操作。

我们也 运行 研究了这个问题,并从 Thoughtbot 人员那里找到了关于这个主题的 wonderful article

使用 Curb gem 进行快速呼叫:

require 'curb'
it 'sends poorly formatted json' do
  broken_json = %Q|{"notice":{"title":"A sweet title"#{invalid_tokens}}}|
  resp = Curl.post("http://#{host}:#{port}#{path}", broken_json)

  expect(resp.response_code).to eq 500
end

Thoughtbot 建议编写一个中间件 class 来捕获未来的 JSON 解析错误,如下所示:

# in app/middleware/catch_json_parse_errors.rb
class CatchJsonParseErrors
  def initialize(app)
    @app = app
  end

  def call(env)
    begin
      @app.call(env)
    rescue ActionDispatch::ParamsParser::ParseError => error
      if env['HTTP_ACCEPT'] =~ /application\/json/
        error_output = "There was a problem in the JSON you submitted: #{error}"
        return [
          400, { "Content-Type" => "application/json" },
          [ { status: 400, error: error_output }.to_json ]
        ]
      else
        raise error
      end
    end
  end
end