Redirect Sinatra request changing method and body

2019-09-02 17:28发布

问题:

Is there a way to handle a GET request on Sinatra and make a PATCH request with a different body on the same server? User makes a request GET /clean_beautiful_api and server redirects it to PATCH /dirty/clogged_api_url_1?crap=2 "{request_body: 1}"?

I want to clean up legacy API without interfering with the functionality.

回答1:

If I've understood correctly, the easiest way is to extract the block used for the patch into a helper:

patch "/dirty/clogged_api_url_1"
  crap= params[:crap]
end

to:

helpers do
  def patch_instead( params={} )
    # whatever you want to do in here
    crap= params[:crap]
  end
end

get "/clean_beautiful_api" do
  patch_instead( params.merge(request_body: 1) )
end


patch "/dirty/clogged_api_url_1"
  patch_instead( params )
end

Or you could use a lambda…

Patch_instead = ->( params={} ) {
  # whatever you want to do in here
  crap= params[:crap]
}

get "/clean_beautiful_api" do
  Patch_instead.call( params.merge(request_body: 1) )
end

# you get the picture

the main thing is to extract the method to somewhere else and then call it.


Edit: You can also trigger another route internally using the Rack interface via call.