callbacks.rb 21.7 KB
Newer Older
1
require 'active_support/concern'
2
require 'active_support/descendants_tracker'
3
require 'active_support/core_ext/array/wrap'
4
require 'active_support/core_ext/class/attribute'
5
require 'active_support/core_ext/kernel/reporting'
6
require 'active_support/core_ext/kernel/singleton_class'
7
require 'active_support/core_ext/object/inclusion'
8

9
module ActiveSupport
10 11 12 13 14
  # \Callbacks are code hooks that are run at key points in an object's lifecycle.
  # The typical use case is to have a base class define a set of callbacks relevant
  # to the other functionality it supplies, so that subclasses can install callbacks
  # that enhance or modify the base functionality without needing to override
  # or redefine methods of the base class.
15
  #
16 17 18 19
  # Mixing in this module allows you to define the events in the object's lifecycle
  # that will support callbacks (via +ClassMethods.define_callbacks+), set the instance
  # methods, procs, or callback objects to be called (via +ClassMethods.set_callback+),
  # and run the installed callbacks at the appropriate times (via +run_callbacks+).
20
  #
21 22 23 24 25
  # Three kinds of callbacks are supported: before callbacks, run before a certain event;
  # after callbacks, run after the event; and around callbacks, blocks that surround the
  # event, triggering it when they yield. Callback code can be contained in instance
  # methods, procs or lambdas, or callback objects that respond to certain predetermined
  # methods. See +ClassMethods.set_callback+ for details.
26
  #
27
  # ==== Example
28
  #
29 30 31
  #   class Record
  #     include ActiveSupport::Callbacks
  #     define_callbacks :save
32 33
  #
  #     def save
34 35 36
  #       run_callbacks :save do
  #         puts "- save"
  #       end
37 38 39
  #     end
  #   end
  #
40
  #   class PersonRecord < Record
41
  #     set_callback :save, :before, :saving_message
42 43 44 45
  #     def saving_message
  #       puts "saving..."
  #     end
  #
46
  #     set_callback :save, :after do |object|
47 48 49 50
  #       puts "saved"
  #     end
  #   end
  #
51 52
  #   person = PersonRecord.new
  #   person.save
53 54 55 56 57
  #
  # Output:
  #   saving...
  #   - save
  #   saved
58
  #
59
  module Callbacks
60
    extend Concern
61

62 63 64 65
    included do
      extend ActiveSupport::DescendantsTracker
    end

66 67 68 69 70 71 72 73 74 75 76 77 78 79
    # Runs the callbacks for the given event.
    #
    # Calls the before and around callbacks in the order they were set, yields
    # the block (if given one), and then runs the after callbacks in reverse order.
    # Optionally accepts a key, which will be used to compile an optimized callback
    # method for each key. See +ClassMethods.define_callbacks+ for more information.
    #
    # If the callback chain was halted, returns +false+. Otherwise returns the result
    # of the block, or +true+ if no block is given.
    #
    #   run_callbacks :save do
    #     save
    #   end
    #
80 81 82 83
    def run_callbacks(kind, *args, &block)
      send("_run_#{kind}_callbacks", *args, &block)
    end

84 85 86 87 88 89 90 91
    private

    # A hook invoked everytime a before callback is halted.
    # This can be overriden in AS::Callback implementors in order
    # to provide better debugging/logging.
    def halted_callback_hook(filter)
    end

92
    class Callback #:nodoc:#
93 94
      @@_callback_sequence = 0

95
      attr_accessor :chain, :filter, :kind, :options, :per_key, :klass, :raw_filter
96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120

      def initialize(chain, filter, kind, options, klass)
        @chain, @kind, @klass = chain, kind, klass
        normalize_options!(options)

        @per_key              = options.delete(:per_key)
        @raw_filter, @options = filter, options
        @filter               = _compile_filter(filter)
        @compiled_options     = _compile_options(options)
        @callback_id          = next_id

        _compile_per_key_options
      end

      def clone(chain, klass)
        obj                  = super()
        obj.chain            = chain
        obj.klass            = klass
        obj.per_key          = @per_key.dup
        obj.options          = @options.dup
        obj.per_key[:if]     = @per_key[:if].dup
        obj.per_key[:unless] = @per_key[:unless].dup
        obj.options[:if]     = @options[:if].dup
        obj.options[:unless] = @options[:unless].dup
        obj
121 122
      end

123 124 125
      def normalize_options!(options)
        options[:if] = Array.wrap(options[:if])
        options[:unless] = Array.wrap(options[:unless])
126

127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163
        options[:per_key] ||= {}
        options[:per_key][:if] = Array.wrap(options[:per_key][:if])
        options[:per_key][:unless] = Array.wrap(options[:per_key][:unless])
      end

      def name
        chain.name
      end

      def next_id
        @@_callback_sequence += 1
      end

      def matches?(_kind, _filter)
        @kind == _kind && @filter == _filter
      end

      def _update_filter(filter_options, new_options)
        filter_options[:if].push(new_options[:unless]) if new_options.key?(:unless)
        filter_options[:unless].push(new_options[:if]) if new_options.key?(:if)
      end

      def recompile!(_options, _per_key)
        _update_filter(self.options, _options)
        _update_filter(self.per_key, _per_key)

        @callback_id      = next_id
        @filter           = _compile_filter(@raw_filter)
        @compiled_options = _compile_options(@options)
                            _compile_per_key_options
      end

      def _compile_per_key_options
        key_options  = _compile_options(@per_key)

        @klass.class_eval <<-RUBY_EVAL, __FILE__, __LINE__ + 1
          def _one_time_conditions_valid_#{@callback_id}?
164
            true if #{key_options}
165
          end
166
        RUBY_EVAL
167 168
      end

169 170 171 172 173 174 175 176
      # This will supply contents for before and around filters, and no
      # contents for after filters (for the forward pass).
      def start(key=nil, object=nil)
        return if key && !object.send("_one_time_conditions_valid_#{@callback_id}?")

        # options[0] is the compiled form of supplied conditions
        # options[1] is the "end" for the conditional
        #
P
Pavel Gorbokon 已提交
177 178 179 180 181
        case @kind
        when :before
          # if condition    # before_save :filter_name, :if => :condition
          #   filter_name
          # end
182 183
          <<-RUBY_EVAL
            if !halted && #{@compiled_options}
184 185 186
              # This double assignment is to prevent warnings in 1.9.3 as
              # the `result` variable is not always used except if the
              # terminator code refers to it.
187
              result = result = #{@filter}
P
Pavel Gorbokon 已提交
188
              halted = (#{chain.config[:terminator]})
189 190 191
              if halted
                halted_callback_hook(#{@raw_filter.inspect.inspect})
              end
P
Pavel Gorbokon 已提交
192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212
            end
          RUBY_EVAL
        when :around
          # Compile around filters with conditions into proxy methods
          # that contain the conditions.
          #
          # For `around_save :filter_name, :if => :condition':
          #
          # def _conditional_callback_save_17
          #   if condition
          #     filter_name do
          #       yield self
          #     end
          #   else
          #     yield self
          #   end
          # end
          #
          name = "_conditional_callback_#{@kind}_#{next_id}"
          @klass.class_eval <<-RUBY_EVAL,  __FILE__, __LINE__ + 1
             def #{name}(halted)
213
              if #{@compiled_options} && !halted
P
Pavel Gorbokon 已提交
214
                #{@filter} do
215 216
                  yield self
                end
P
Pavel Gorbokon 已提交
217 218
              else
                yield self
219
              end
P
Pavel Gorbokon 已提交
220 221 222
            end
          RUBY_EVAL
          "#{name}(halted) do"
223 224 225
        end
      end

226 227 228 229
      # This will supply contents for around and after filters, but not
      # before filters (for the backward pass).
      def end(key=nil, object=nil)
        return if key && !object.send("_one_time_conditions_valid_#{@callback_id}?")
230

P
Pavel Gorbokon 已提交
231 232
        case @kind
        when :after
233 234 235 236 237 238
          # after_save :filter_name, :if => :condition
          <<-RUBY_EVAL
          if #{@compiled_options}
            #{@filter}
          end
          RUBY_EVAL
P
Pavel Gorbokon 已提交
239
        when :around
240 241 242 243
          <<-RUBY_EVAL
            value
          end
          RUBY_EVAL
244
        end
245 246 247 248
      end

      private

249 250 251 252
      # Options support the same options as filters themselves (and support
      # symbols, string, procs, and objects), so compile a conditional
      # expression based on the options
      def _compile_options(options)
253
        conditions = ["true"]
254 255 256

        unless options[:if].empty?
          conditions << Array.wrap(_compile_filter(options[:if]))
257 258
        end

259 260 261
        unless options[:unless].empty?
          conditions << Array.wrap(_compile_filter(options[:unless])).map {|f| "!#{f}"}
        end
262

263
        conditions.flatten.join(" && ")
264 265
      end

266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300
      # Filters support:
      #
      #   Arrays::  Used in conditions. This is used to specify
      #             multiple conditions. Used internally to
      #             merge conditions from skip_* filters
      #   Symbols:: A method to call
      #   Strings:: Some content to evaluate
      #   Procs::   A proc to call with the object
      #   Objects:: An object with a before_foo method on it to call
      #
      # All of these objects are compiled into methods and handled
      # the same after this point:
      #
      #   Arrays::  Merged together into a single filter
      #   Symbols:: Already methods
      #   Strings:: class_eval'ed into methods
      #   Procs::   define_method'ed into methods
      #   Objects::
      #     a method is created that calls the before_foo method
      #     on the object.
      #
      def _compile_filter(filter)
        method_name = "_callback_#{@kind}_#{next_id}"
        case filter
        when Array
          filter.map {|f| _compile_filter(f)}
        when Symbol
          filter
        when String
          "(#{filter})"
        when Proc
          @klass.send(:define_method, method_name, &filter)
          return method_name if filter.arity <= 0

          method_name << (filter.arity == 1 ? "(self)" : " self, Proc.new ")
301
        else
302 303 304 305 306 307 308 309 310 311 312 313 314
          @klass.send(:define_method, "#{method_name}_object") { filter }

          _normalize_legacy_filter(kind, filter)
          scopes = Array.wrap(chain.config[:scope])
          method_to_call = scopes.map{ |s| s.is_a?(Symbol) ? send(s) : s }.join("_")

          @klass.class_eval <<-RUBY_EVAL, __FILE__, __LINE__ + 1
            def #{method_name}(&blk)
              #{method_name}_object.send(:#{method_to_call}, self, &blk)
            end
          RUBY_EVAL

          method_name
315 316 317
        end
      end

318 319
      def _normalize_legacy_filter(kind, filter)
        if !filter.respond_to?(kind) && filter.respond_to?(:filter)
320 321 322
          filter.singleton_class.class_eval <<-RUBY_EVAL, __FILE__, __LINE__ + 1
            def #{kind}(context, &block) filter(context, &block) end
          RUBY_EVAL
323 324 325 326 327 328 329
        elsif filter.respond_to?(:before) && filter.respond_to?(:after) && kind == :around
          def filter.around(context)
            should_continue = before(context)
            yield if should_continue
            after(context)
          end
        end
330
      end
331
    end
332

333
    # An Array with a compile method
334
    class CallbackChain < Array #:nodoc:#
335 336 337 338 339 340 341 342 343
      attr_reader :name, :config

      def initialize(name, config)
        @name = name
        @config = {
          :terminator => "false",
          :rescuable => false,
          :scope => [ :kind ]
        }.merge(config)
344 345
      end

346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365
      def compile(key=nil, object=nil)
        method = []
        method << "value = nil"
        method << "halted = false"

        each do |callback|
          method << callback.start(key, object)
        end

        if config[:rescuable]
          method << "rescued_error = nil"
          method << "begin"
        end

        method << "value = yield if block_given? && !halted"

        if config[:rescuable]
          method << "rescue Exception => e"
          method << "rescued_error = e"
          method << "end"
366
        end
367 368 369 370 371 372 373 374

        reverse_each do |callback|
          method << callback.end(key, object)
        end

        method << "raise rescued_error if rescued_error" if config[:rescuable]
        method << "halted ? false : (block_given? ? value : true)"
        method.compact.join("\n")
375
      end
376
    end
377

378
    module ClassMethods
379
      # Generate the internal runner method called by +run_callbacks+.
380
      def __define_runner(symbol) #:nodoc:
381 382
        runner_method = "_run_#{symbol}_callbacks" 
        unless private_method_defined?(runner_method)
383
          class_eval <<-RUBY_EVAL, __FILE__, __LINE__ + 1
384
            def #{runner_method}(key = nil, &blk)
385
              self.class.__run_callback(key, :#{symbol}, self, &blk)
386
            end
387
            private :#{runner_method}
388
          RUBY_EVAL
389
        end
390
      end
391

392 393 394
      # This method calls the callback method for the given key.
      # If this called first time it creates a new callback method for the key, 
      # calculating which callbacks can be omitted because of per_key conditions.
395
      #
396 397
      def __run_callback(key, kind, object, &blk) #:nodoc:
        name = __callback_runner_name(key, kind)
398
        unless object.respond_to?(name)
399
          str = send("_#{kind}_callbacks").compile(key, object)
400 401 402 403
          class_eval <<-RUBY_EVAL, __FILE__, __LINE__ + 1
            def #{name}() #{str} end
            protected :#{name}
          RUBY_EVAL
404
        end
405
        object.send(name, &blk)
406
      end
407

B
Bogdan Gusiev 已提交
408 409 410 411 412
      def __reset_runner(symbol)
        name = __callback_runner_name(nil, symbol)
        undef_method(name) if method_defined?(name)
      end

413 414 415 416
      def __callback_runner_name(key, kind)
        "_run__#{self.name.hash.abs}__#{kind}__#{key.hash.abs}__callbacks"
      end

417 418 419 420
      # This is used internally to append, prepend and skip callbacks to the
      # CallbackChain.
      #
      def __update_callbacks(name, filters = [], block = nil) #:nodoc:
421
        type = filters.first.in?([:before, :after, :around]) ? filters.shift : :before
422 423
        options = filters.last.is_a?(Hash) ? filters.pop : {}
        filters.unshift(block) if block
424

425
        ([self] + ActiveSupport::DescendantsTracker.descendants(self)).reverse.each do |target|
426
          chain = target.send("_#{name}_callbacks")
427
          yield target, chain.dup, type, filters, options
B
Bogdan Gusiev 已提交
428
          target.__reset_runner(name)
429
        end
430 431
      end

432
      # Install a callback for the given event.
433 434 435
      #
      #   set_callback :save, :before, :before_meth
      #   set_callback :save, :after,  :after_meth, :if => :condition
436
      #   set_callback :save, :around, lambda { |r| stuff; result = yield; stuff }
437
      #
438 439 440 441
      # The second arguments indicates whether the callback is to be run +:before+,
      # +:after+, or +:around+ the event. If omitted, +:before+ is assumed. This
      # means the first example above can also be written as:
      #
442 443
      #   set_callback :save, :before_meth
      #
444 445 446 447 448 449 450 451 452 453 454
      # The callback can specified as a symbol naming an instance method; as a proc,
      # lambda, or block; as a string to be instance evaluated; or as an object that
      # responds to a certain method determined by the <tt>:scope</tt> argument to
      # +define_callback+.
      #
      # If a proc, lambda, or block is given, its body is evaluated in the context
      # of the current object. It can also optionally accept the current object as
      # an argument.
      #
      # Before and around callbacks are called in the order that they are set; after
      # callbacks are called in the reverse order.
455 456 457
      # 
      # Around callbacks can access the return value from the event, if it
      # wasn't halted, from the +yield+ call.
458 459 460 461 462 463 464 465 466 467 468 469 470
      #
      # ===== Options
      #
      # * <tt>:if</tt> - A symbol naming an instance method or a proc; the callback
      #   will be called only when it returns a true value.
      # * <tt>:unless</tt> - A symbol naming an instance method or a proc; the callback
      #   will be called only when it returns a false value.
      # * <tt>:prepend</tt> - If true, the callback will be prepended to the existing
      #   chain rather than appended.
      # * <tt>:per_key</tt> - A hash with <tt>:if</tt> and <tt>:unless</tt> options;
      #   see "Per-key conditions" below.
      #
      # ===== Per-key conditions
471 472
      #
      # When creating or skipping callbacks, you can specify conditions that
473
      # are always the same for a given key. For instance, in Action Pack,
474 475 476
      # we convert :only and :except conditions into per-key conditions.
      #
      #   before_filter :authenticate, :except => "index"
477
      #
478
      # becomes
479
      #
480
      #   set_callback :process_action, :before, :authenticate, :per_key => {:unless => proc {|c| c.action_name == "index"}}
481
      #
482
      # Per-key conditions are evaluated only once per use of a given key.
483 484
      # In the case of the above example, you would do:
      #
485
      #   run_callbacks(:process_action, action_name) { ... dispatch stuff ... }
486 487 488 489 490
      #
      # In that case, each action_name would get its own compiled callback
      # method that took into consideration the per_key conditions. This
      # is a speed improvement for ActionPack.
      #
491
      def set_callback(name, *filter_list, &block)
492 493
        mapped = nil

494
        __update_callbacks(name, filter_list, block) do |target, chain, type, filters, options|
495
          mapped ||= filters.map do |filter|
496 497 498
            Callback.new(chain, filter, type, options.dup, self)
          end

499
          filters.each do |filter|
500
            chain.delete_if {|c| c.matches?(type, filter) }
501 502
          end

503
          options[:prepend] ? chain.unshift(*(mapped.reverse)) : chain.push(*mapped)
504 505

          target.send("_#{name}_callbacks=", chain)
506 507 508
        end
      end

509 510
      # Skip a previously set callback. Like +set_callback+, <tt>:if</tt> or <tt>:unless</tt>
      # options may be passed in order to control when the callback is skipped.
511 512 513 514
      #
      #   class Writer < Person
      #      skip_callback :validate, :before, :check_membership, :if => lambda { self.age > 18 }
      #   end
515
      #
516
      def skip_callback(name, *filter_list, &block)
517
        __update_callbacks(name, filter_list, block) do |target, chain, type, filters, options|
518 519 520 521
          filters.each do |filter|
            filter = chain.find {|c| c.matches?(type, filter) }

            if filter && options.any?
522 523 524
              new_filter = filter.clone(chain, self)
              chain.insert(chain.index(filter), new_filter)
              new_filter.recompile!(options, options[:per_key] || {})
525
            end
526 527

            chain.delete(filter)
528
          end
529
          target.send("_#{name}_callbacks=", chain)
530 531 532
        end
      end

533
      # Remove all set callbacks for the given event.
534 535
      #
      def reset_callbacks(symbol)
536
        callbacks = send("_#{symbol}_callbacks")
537

538
        ActiveSupport::DescendantsTracker.descendants(self).each do |target|
539
          chain = target.send("_#{symbol}_callbacks").dup
540
          callbacks.each { |c| chain.delete(c) }
541
          target.send("_#{symbol}_callbacks=", chain)
B
Bogdan Gusiev 已提交
542
          target.__reset_runner(symbol)
543 544
        end

545 546
        self.send("_#{symbol}_callbacks=", callbacks.dup.clear)

B
Bogdan Gusiev 已提交
547
        __reset_runner(symbol)
548 549
      end

550
      # Define sets of events in the object lifecycle that support callbacks.
551 552
      #
      #   define_callbacks :validate
553
      #   define_callbacks :initialize, :save, :destroy
554
      #
555
      # ===== Options
556
      #
557 558 559 560
      # * <tt>:terminator</tt> - Determines when a before filter will halt the callback
      #   chain, preventing following callbacks from being called and the event from being
      #   triggered. This is a string to be eval'ed. The result of the callback is available
      #   in the <tt>result</tt> variable.
561
      #
562
      #     define_callbacks :validate, :terminator => "result == false"
563
      #
564 565 566
      #   In this example, if any before validate callbacks returns +false+,
      #   other callbacks are not executed. Defaults to "false", meaning no value
      #   halts the chain.
567 568
      #
      # * <tt>:rescuable</tt> - By default, after filters are not executed if
569 570 571
      #   the given block or a before filter raises an error. By setting this option
      #   to <tt>true</tt> exception raised by given block is stored and after
      #   executing all the after callbacks the stored exception is raised.
572
      #
573 574
      # * <tt>:scope</tt> - Indicates which methods should be executed when an object
      #   is used as a callback.
575
      #
576 577 578 579
      #     class Audit
      #       def before(caller)
      #         puts 'Audit: before is called'
      #       end
580
      #
581 582 583 584
      #       def before_save(caller)
      #         puts 'Audit: before_save is called'
      #       end
      #     end
585
      #
586 587
      #     class Account
      #       include ActiveSupport::Callbacks
588
      #
589 590
      #       define_callbacks :save
      #       set_callback :save, :before, Audit.new
591
      #
592 593 594 595 596 597
      #       def save
      #         run_callbacks :save do
      #           puts 'save in main'
      #         end
      #       end
      #     end
598
      #
599 600
      #   In the above case whenever you save an account the method <tt>Audit#before</tt> will
      #   be called. On the other hand
601
      #
602
      #     define_callbacks :save, :scope => [:kind, :name]
603
      #
604 605 606 607 608
      #   would trigger <tt>Audit#before_save</tt> instead. That's constructed by calling
      #   <tt>#{kind}_#{name}</tt> on the given instance. In this case "kind" is "before" and
      #   "name" is "save". In this context +:kind+ and +:name+ have special meanings: +:kind+
      #   refers to the kind of callback (before/after/around) and +:name+ refers to the
      #   method on which callbacks are being defined.
609
      #
610
      #   A declaration like
611
      #
612
      #     define_callbacks :save, :scope => [:name]
613
      #
614
      #   would call <tt>Audit#save</tt>.
615
      #
616 617 618
      def define_callbacks(*callbacks)
        config = callbacks.last.is_a?(Hash) ? callbacks.pop : {}
        callbacks.each do |callback|
619 620
          class_attribute "_#{callback}_callbacks"
          send("_#{callback}_callbacks=", CallbackChain.new(callback, config))
621
          __define_runner(callback)
622 623
        end
      end
624 625 626
    end
  end
end