1
0
Fork 0
mirror of https://github.com/rails/rails.git synced 2022-11-09 12:12:34 -05:00
rails--rails/actionpack/lib/action_dispatch/middleware/reloader.rb

77 lines
2.5 KiB
Ruby
Raw Normal View History

module ActionDispatch
2010-12-20 17:55:21 -05:00
# ActionDispatch::Reloader provides prepare and cleanup callbacks,
# intended to assist with code reloading during development.
#
# Prepare callbacks are run before each request, and cleanup callbacks
# after each request. In this respect they are analogs of ActionDispatch::Callback's
# before and after callbacks. However, cleanup callbacks are not called until the
# request is fully complete -- that is, after #close has been called on
2010-12-21 22:32:34 -05:00
# the response body. This is important for streaming responses such as the
# following:
#
# self.response_body = lambda { |response, output|
# # code here which refers to application models
# }
#
# Cleanup callbacks will not be called until after the response_body lambda
# is evaluated, ensuring that it can refer to application models and other
# classes before they are unloaded.
#
# By default, ActionDispatch::Reloader is included in the middleware stack
2010-12-20 17:55:21 -05:00
# only in the development environment; specifically, when config.cache_classes
# is false. Callbacks may be registered even when it is not included in the
# middleware stack, but are executed only when +ActionDispatch::Reloader.prepare!+
# or +ActionDispatch::Reloader.cleanup!+ are called manually.
#
class Reloader
include ActiveSupport::Callbacks
define_callbacks :prepare, :scope => :name
define_callbacks :cleanup, :scope => :name
2010-12-20 17:55:21 -05:00
# Add a prepare callback. Prepare callbacks are run before each request, prior
# to ActionDispatch::Callback's before callbacks.
def self.to_prepare(*args, &block)
2010-12-20 06:41:49 -05:00
set_callback(:prepare, *args, &block)
end
# Add a cleanup callback. Cleanup callbacks are run after each request is
# complete (after #close is called on the response body).
2010-12-20 06:41:49 -05:00
def self.to_cleanup(*args, &block)
set_callback(:cleanup, *args, &block)
end
2010-12-20 17:55:21 -05:00
# Execute all prepare callbacks.
def self.prepare!
new(nil).send(:_run_prepare_callbacks)
end
2010-12-20 17:55:21 -05:00
# Execute all cleanup callbacks.
def self.cleanup!
new(nil).send(:_run_cleanup_callbacks)
end
def initialize(app)
@app = app
end
module CleanupOnClose
def close
super if defined?(super)
ensure
ActionDispatch::Reloader.cleanup!
end
end
def call(env)
_run_prepare_callbacks
response = @app.call(env)
response[2].extend(CleanupOnClose)
response
rescue Exception
_run_cleanup_callbacks
raise
end
end
end