Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Alter Rails params hash from Rack middleware

I am attempting to add a value to the Rails params hash from a custom Rack middleware object. My current approach is using

class PortalResolver

 def initialize(app)
   @app = app
 end

  def call(env)
    begin
      url = "#{env['rack.url_scheme']}://#{env['HTTP_HOST']}"
      request = Rack::Request.new(env)
      portal_id = DomainService.domain(url) # DomainService is returning the expected value
      request.params['portal_id'] = portal_id
      status, headers, response = @app.call(env)
      [status, headers, response]
    rescue PortalNotFoundError => e
      [403, {'Content-Type' => 'text/html'}, ['']]
    end
  end
end

I'm currently adding the middleware after ActionDispatch::ParamsParser. The parameters don't show up in the Rails params hash from a controller, but do show up in the request.params hash (within the middleware object defined above.) Any ideas? Help much appreciated.

like image 609
silatham99 Avatar asked Apr 25 '14 02:04

silatham99


1 Answers

The docs for Rack::Request#params say:

Note that modifications will not be persisted in the env. Use update_param or delete_param if you want to destructively modify params.

When you use the line

request.params['portal_id'] = portal_id

you add the new parameter to the hash created for that instance of Rack::Request, but the env that is passed on to rails isn’t modified. To make the new value available further down the Rack stack use update_param as the docs suggest:

request.update_param('portal_id', portal_id)
like image 166
matt Avatar answered Sep 28 '22 08:09

matt