645a55f19b
The idea is that after each feature spec example, we block all incoming requests at the Rack level, go to the 'about:blank' page, and wait until the current requests reach 0. This should solve the problem where a request would end after database cleaner performed the database truncation. The problem was that a GET request can still lead to records creation (e.g. namespaces or routes). Signed-off-by: Rémy Coutable <remy@rymai.me>
61 lines
1.5 KiB
Ruby
61 lines
1.5 KiB
Ruby
# rubocop:disable Style/ClassVars
|
|
|
|
# This is inspired by http://www.salsify.com/blog/engineering/tearing-capybara-ajax-tests
|
|
# Rack middleware that keeps track of the number of active requests and can block new requests.
|
|
module Gitlab
|
|
module Testing
|
|
class RequestBlockerMiddleware
|
|
@@num_active_requests = Concurrent::AtomicFixnum.new(0)
|
|
@@block_requests = Concurrent::AtomicBoolean.new(false)
|
|
|
|
# Returns the number of requests the server is currently processing.
|
|
def self.num_active_requests
|
|
@@num_active_requests.value
|
|
end
|
|
|
|
# Prevents the server from accepting new requests. Any new requests will return an HTTP
|
|
# 503 status.
|
|
def self.block_requests!
|
|
@@block_requests.value = true
|
|
end
|
|
|
|
# Allows the server to accept requests again.
|
|
def self.allow_requests!
|
|
@@block_requests.value = false
|
|
end
|
|
|
|
def initialize(app)
|
|
@app = app
|
|
end
|
|
|
|
def call(env)
|
|
increment_active_requests
|
|
if block_requests?
|
|
block_request(env)
|
|
else
|
|
@app.call(env)
|
|
end
|
|
ensure
|
|
decrement_active_requests
|
|
end
|
|
|
|
private
|
|
|
|
def block_requests?
|
|
@@block_requests.true?
|
|
end
|
|
|
|
def block_request(env)
|
|
[503, {}, []]
|
|
end
|
|
|
|
def increment_active_requests
|
|
@@num_active_requests.increment
|
|
end
|
|
|
|
def decrement_active_requests
|
|
@@num_active_requests.decrement
|
|
end
|
|
end
|
|
end
|
|
end
|