0

モジュラー Sinatra Web アプリケーションとして API を開発しており、明示的に行うことなく返される応答を標準化したいと考えています。これはミドルウェアを使用して実現できると思いましたが、ほとんどのシナリオで失敗します。以下のサンプルアプリケーションは、私がこれまでに持っているものです。

config.ru

require 'sinatra/base'
require 'active_support'
require 'rack'

class Person
  attr_reader :name, :surname
  def initialize(name, surname)
    @name, @surname = name, surname
  end
end

class MyApp < Sinatra::Base

  enable :dump_errors, :raise_errors
  disable :show_exceptions

  get('/string') do
    "Hello World"
  end

  get('/hash') do
    {"person" => { "name" => "john", "surname" => "smith" }}
  end

  get('/array') do
    [1,2,3,4,5,6,7, "232323", '3245235']
  end

  get('/object') do
    Person.new('simon', 'hernandez')
  end

  get('/error') do
    raise 'Failure of some sort'
  end
end

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

  def call(env)
    begin
      status, headers, body = @app.call(env)
      response = {'status' => 'success', 'data' => body}
      format(status, headers, response)
    rescue ::Exception => e
      response = {'status' => 'error', 'message' => e.message}
      format(500, {'Content-Type' => 'application/json'}, response)
    end
  end

  def format(status, headers, response)
    result = ActiveSupport::JSON.encode(response)
    headers["Content-Length"] = result.length.to_s
    [status, headers, result]
  end
end

use ResponseMiddleware
run MyApp

例 (JSON):

/string
  Expected: {"status":"success","data":"Hello World"}
  Actual:   {"status":"success","data":["Hello World"]}

/hash (works)
  Expected: {"status":"success","data":{"person":{"name":"john","surname":"smith"}}}
  Actual:   {"status":"success","data":{"person":{"name":"john","surname":"smith"}}}

/array
  Expected: {"status":"success","data": [1,2,3,4,5,6,7,"232323","3245235"]}
  Actual:   {"status":"error","message":"wrong number of arguments (7 for 1)"}

/object
  Expected: {"status":"success","data":{"name":"simon","surname":"hernandez"}}
  Actual:   {"status":"success","data":[]}

/error (works)
  Expected: {"status":"error","message":"Failure of some sort"}
  Actual:   {"status":"error","message":"Failure of some sort"}

コードを実行すると、/hash と /error は必要な応答を返しますが、残りは返さないことがわかります。理想的には、MyApp クラスでは何も変更したくありません。現在、Sinatra 1.3.3、ActiveSupport 3.2.9、および Rack 1.4.1 の上に構築されています。

4

1 に答える 1

1

irc.freenode.orgの#sinatraの助けを借りて、私はなんとかそれを私が望むものに落とすことができました。MyAppに以下を追加しました:

def route_eval
  result = catch(:halt) { super }
  throw :halt, {"result" => result}
end

次に、ResponseMiddlewareの次の行を変更しました。

response = {'status' => 'success', 'data' => body}

response = {'status' => 'success', 'data' => body["result"]}

そして私のすべてのテストケースは合格しました。

于 2012-12-31T14:49:04.177 に答える