SystematicFrank
SystematicFrank

Reputation: 17269

Before filter on condition

I have a Sinatra app where all routes require a user login by default. Something like this:

before do 
  env['warden'].authenticate!
end

get :index do
  render :index
end

Now I would like to use a custom Sinatra condition to make exceptions, but I cannot find a way to read if the condition is true/false/nil

def self.public(enable)
  condition {
    if enable 
      puts 'yes'
    else
      puts 'no'
    end
  }
end

before do 
  # unless public?
  env['warden'].authenticate!
end

get :index do
  render :index
end

get :foo, :public => true do
  render :index
end

Since the authentication check must be done even if the condition is not defined, I guess I still must use a before filter, but I am not sure how to access my custom condition.

Upvotes: 1

Views: 615

Answers (1)

Paul Stengel
Paul Stengel

Reputation: 1149

I was able to solve this using Sinatra's helpers and some digging into Sinatra's internals. I think this should work for you:

helpers do
  def skip_authentication?
    possible_routes = self.class.routes[request.request_method]

    possible_routes.any? do |pattern, _, conditions, _|
      pattern.match(request.path_info) &&
        conditions.any? {|c| c.name == :authentication }
    end
  end
end

before do
  skip_authentication? || env['warden'].authenticate!
end

set(:authentication) do |enabled|
  condition(:authentication) { true } unless enabled
end

get :index do
  render :index
end

get :foo, authentication: false do
  render :index
end

Upvotes: 2

Related Questions