diff options
| author | José Valim <jose.valim@gmail.com> | 2011-11-23 20:43:06 +0000 | 
|---|---|---|
| committer | José Valim <jose.valim@gmail.com> | 2011-11-23 20:43:06 +0000 | 
| commit | e62de52aa398341a29b7ecef4ec9f9df8e1743e2 (patch) | |
| tree | 3a87677e000259ecc0ced6bc93afc03fea73493b /actionpack/lib/action_dispatch | |
| parent | afd7140b66e7cb32e1be58d9e44489e6bcbde0dc (diff) | |
| parent | fd86a1b6b068df87164d5763bdcd4a323a1e76f4 (diff) | |
| download | rails-e62de52aa398341a29b7ecef4ec9f9df8e1743e2.tar.gz rails-e62de52aa398341a29b7ecef4ec9f9df8e1743e2.tar.bz2 rails-e62de52aa398341a29b7ecef4ec9f9df8e1743e2.zip | |
Merge branch 'master' into serializers
Diffstat (limited to 'actionpack/lib/action_dispatch')
13 files changed, 302 insertions, 193 deletions
| diff --git a/actionpack/lib/action_dispatch/http/headers.rb b/actionpack/lib/action_dispatch/http/headers.rb index 505d5560b1..040b51e040 100644 --- a/actionpack/lib/action_dispatch/http/headers.rb +++ b/actionpack/lib/action_dispatch/http/headers.rb @@ -1,5 +1,3 @@ -require 'active_support/memoizable' -  module ActionDispatch    module Http      class Headers < ::Hash diff --git a/actionpack/lib/action_dispatch/http/request.rb b/actionpack/lib/action_dispatch/http/request.rb index 37d0a3e0b8..69ca050d0c 100644 --- a/actionpack/lib/action_dispatch/http/request.rb +++ b/actionpack/lib/action_dispatch/http/request.rb @@ -155,28 +155,21 @@ module ActionDispatch        @ip ||= super      end -    # Which IP addresses are "trusted proxies" that can be stripped from -    # the right-hand-side of X-Forwarded-For. -    # -    # http://en.wikipedia.org/wiki/Private_network#Private_IPv4_address_spaces. -    TRUSTED_PROXIES = %r{ -      ^127\.0\.0\.1$                | # localhost -      ^(10                          | # private IP 10.x.x.x -        172\.(1[6-9]|2[0-9]|3[0-1]) | # private IP in the range 172.16.0.0 .. 172.31.255.255 -        192\.168                      # private IP 192.168.x.x -       )\. -    }x - -    # Determines originating IP address. REMOTE_ADDR is the standard -    # but will fail if the user is behind a proxy. HTTP_CLIENT_IP and/or -    # HTTP_X_FORWARDED_FOR are set by proxies so check for these if -    # REMOTE_ADDR is a proxy. HTTP_X_FORWARDED_FOR may be a comma- -    # delimited list in the case of multiple chained proxies; the last -    # address which is not trusted is the originating IP. +    # Originating IP address, usually set by the RemoteIp middleware.      def remote_ip        @remote_ip ||= (@env["action_dispatch.remote_ip"] || ip).to_s      end +    # Returns the unique request id, which is based off either the X-Request-Id header that can +    # be generated by a firewall, load balancer, or web server or by the RequestId middleware +    # (which sets the action_dispatch.request_id environment variable). +    # +    # This unique ID is useful for tracing a request from end-to-end as part of logging or debugging. +    # This relies on the rack variable set by the ActionDispatch::RequestId middleware. +    def uuid +      @uuid ||= env["action_dispatch.request_id"] +    end +      # Returns the lowercase name of the HTTP server software.      def server_software        (@env['SERVER_SOFTWARE'] && /^([a-zA-Z]+)/ =~ @env['SERVER_SOFTWARE']) ? $1.downcase : nil diff --git a/actionpack/lib/action_dispatch/http/url.rb b/actionpack/lib/action_dispatch/http/url.rb index c8ddd07bfa..129a8b1031 100644 --- a/actionpack/lib/action_dispatch/http/url.rb +++ b/actionpack/lib/action_dispatch/http/url.rb @@ -64,7 +64,7 @@ module ActionDispatch          end          def host_or_subdomain_and_domain(options) -          return options[:host] if options[:subdomain].nil? && options[:domain].nil? +          return options[:host] if !named_host?(options[:host]) || (options[:subdomain].nil? && options[:domain].nil?)            tld_length = options[:tld_length] || @@tld_length diff --git a/actionpack/lib/action_dispatch/middleware/cookies.rb b/actionpack/lib/action_dispatch/middleware/cookies.rb index 8c4615c0c1..a4ffd40a66 100644 --- a/actionpack/lib/action_dispatch/middleware/cookies.rb +++ b/actionpack/lib/action_dispatch/middleware/cookies.rb @@ -174,7 +174,7 @@ module ActionDispatch            options = { :value => value }          end -        value = @cookies[key.to_s] = value +        @cookies[key.to_s] = value          handle_options(options) diff --git a/actionpack/lib/action_dispatch/middleware/params_parser.rb b/actionpack/lib/action_dispatch/middleware/params_parser.rb index d4208ca96e..84e3dd16dd 100644 --- a/actionpack/lib/action_dispatch/middleware/params_parser.rb +++ b/actionpack/lib/action_dispatch/middleware/params_parser.rb @@ -54,12 +54,7 @@ module ActionDispatch        rescue Exception => e # YAML, XML or Ruby code block errors          logger.debug "Error occurred while parsing request parameters.\nContents:\n\n#{request.raw_post}" -        raise -          { "body"           => request.raw_post, -            "content_type"   => request.content_mime_type, -            "content_length" => request.content_length, -            "exception"      => "#{e.message} (#{e.class})", -            "backtrace"      => e.backtrace } +        raise e        end        def content_type_from_legacy_post_data_format_header(env) diff --git a/actionpack/lib/action_dispatch/middleware/remote_ip.rb b/actionpack/lib/action_dispatch/middleware/remote_ip.rb index c7d710b98e..66ece60860 100644 --- a/actionpack/lib/action_dispatch/middleware/remote_ip.rb +++ b/actionpack/lib/action_dispatch/middleware/remote_ip.rb @@ -2,50 +2,80 @@ module ActionDispatch    class RemoteIp      class IpSpoofAttackError < StandardError ; end -    class RemoteIpGetter -      def initialize(env, check_ip_spoofing, trusted_proxies) -        @env = env -        @check_ip_spoofing = check_ip_spoofing -        @trusted_proxies = trusted_proxies +    # IP addresses that are "trusted proxies" that can be stripped from +    # the comma-delimited list in the X-Forwarded-For header. See also: +    # http://en.wikipedia.org/wiki/Private_network#Private_IPv4_address_spaces +    TRUSTED_PROXIES = %r{ +      ^127\.0\.0\.1$                | # localhost +      ^(10                          | # private IP 10.x.x.x +        172\.(1[6-9]|2[0-9]|3[0-1]) | # private IP in the range 172.16.0.0 .. 172.31.255.255 +        192\.168                      # private IP 192.168.x.x +       )\. +    }x + +    attr_reader :check_ip, :proxies + +    def initialize(app, check_ip_spoofing = true, custom_proxies = nil) +      @app = app +      @check_ip = check_ip_spoofing +      if custom_proxies +        custom_regexp = Regexp.new(custom_proxies) +        @proxies = Regexp.union(TRUSTED_PROXIES, custom_regexp) +      else +        @proxies = TRUSTED_PROXIES        end +    end -      def remote_addrs -        @remote_addrs ||= begin -          list = @env['REMOTE_ADDR'] ? @env['REMOTE_ADDR'].split(/[,\s]+/) : [] -          list.reject { |addr| addr =~ @trusted_proxies } -        end +    def call(env) +      env["action_dispatch.remote_ip"] = GetIp.new(env, self) +      @app.call(env) +    end + +    class GetIp +      def initialize(env, middleware) +        @env          = env +        @middleware   = middleware +        @calculated_ip = false        end -      def to_s -        return remote_addrs.first if remote_addrs.any? - -        forwarded_ips = @env['HTTP_X_FORWARDED_FOR'] ? @env['HTTP_X_FORWARDED_FOR'].strip.split(/[,\s]+/) : [] - -        if client_ip = @env['HTTP_CLIENT_IP'] -          if @check_ip_spoofing && !forwarded_ips.include?(client_ip) -            # We don't know which came from the proxy, and which from the user -            raise IpSpoofAttackError, "IP spoofing attack?!" \ -              "HTTP_CLIENT_IP=#{@env['HTTP_CLIENT_IP'].inspect}" \ -              "HTTP_X_FORWARDED_FOR=#{@env['HTTP_X_FORWARDED_FOR'].inspect}" -          end -          return client_ip +      # Determines originating IP address. REMOTE_ADDR is the standard +      # but will be wrong if the user is behind a proxy. Proxies will set +      # HTTP_CLIENT_IP and/or HTTP_X_FORWARDED_FOR, so we prioritize those. +      # HTTP_X_FORWARDED_FOR may be a comma-delimited list in the case of +      # multiple chained proxies. The last address which is not a known proxy +      # will be the originating IP. +      def calculate_ip +        client_ip     = @env['HTTP_CLIENT_IP'] +        forwarded_ips = ips_from('HTTP_X_FORWARDED_FOR') +        remote_addrs  = ips_from('REMOTE_ADDR') + +        check_ip = client_ip && @middleware.check_ip +        if check_ip && !forwarded_ips.include?(client_ip) +          # We don't know which came from the proxy, and which from the user +          raise IpSpoofAttackError, "IP spoofing attack?!" \ +            "HTTP_CLIENT_IP=#{@env['HTTP_CLIENT_IP'].inspect}" \ +            "HTTP_X_FORWARDED_FOR=#{@env['HTTP_X_FORWARDED_FOR'].inspect}"          end -        return forwarded_ips.reject { |ip| ip =~ @trusted_proxies }.last || @env["REMOTE_ADDR"] +        not_proxy = client_ip || forwarded_ips.last || remote_addrs.first + +        # Return first REMOTE_ADDR if there are no other options +        not_proxy || ips_from('REMOTE_ADDR', :allow_proxies).first        end -    end -    def initialize(app, check_ip_spoofing = true, trusted_proxies = nil) -      @app = app -      @check_ip_spoofing = check_ip_spoofing -      regex = '(^127\.0\.0\.1$|^(10|172\.(1[6-9]|2[0-9]|30|31)|192\.168)\.)' -      regex << "|(#{trusted_proxies})" if trusted_proxies -      @trusted_proxies = Regexp.new(regex, "i") -    end +      def to_s +        return @ip if @calculated_ip +        @calculated_ip = true +        @ip = calculate_ip +      end -    def call(env) -      env["action_dispatch.remote_ip"] = RemoteIpGetter.new(env, @check_ip_spoofing, @trusted_proxies) -      @app.call(env) +    protected + +      def ips_from(header, allow_proxies = false) +        ips = @env[header] ? @env[header].strip.split(/[,\s]+/) : [] +        allow_proxies ? ips : ips.reject{|ip| ip =~ @middleware.proxies } +      end      end +    end -end
\ No newline at end of file +end diff --git a/actionpack/lib/action_dispatch/middleware/request_id.rb b/actionpack/lib/action_dispatch/middleware/request_id.rb new file mode 100644 index 0000000000..bee446c8a5 --- /dev/null +++ b/actionpack/lib/action_dispatch/middleware/request_id.rb @@ -0,0 +1,39 @@ +require 'securerandom' +require 'active_support/core_ext/string/access' +require 'active_support/core_ext/object/blank' + +module ActionDispatch +  # Makes a unique request id available to the action_dispatch.request_id env variable (which is then accessible through +  # ActionDispatch::Request#uuid) and sends the same id to the client via the X-Request-Id header. +  # +  # The unique request id is either based off the X-Request-Id header in the request, which would typically be generated +  # by a firewall, load balancer, or the web server, or, if this header is not available, a random uuid. If the +  # header is accepted from the outside world, we sanitize it to a max of 255 chars and alphanumeric and dashes only. +  # +  # The unique request id can be used to trace a request end-to-end and would typically end up being part of log files +  # from multiple pieces of the stack. +  class RequestId +    def initialize(app) +      @app = app +    end + +    def call(env) +      env["action_dispatch.request_id"] = external_request_id(env) || internal_request_id +      status, headers, body = @app.call(env) + +      headers["X-Request-Id"] = env["action_dispatch.request_id"] +      [ status, headers, body ] +    end + +    private +      def external_request_id(env) +        if request_id = env["HTTP_X_REQUEST_ID"].presence +          request_id.gsub(/[^\w\-]/, "").first(255) +        end +      end + +      def internal_request_id +        SecureRandom.hex(16) +      end +  end +end diff --git a/actionpack/lib/action_dispatch/middleware/session/cache_store.rb b/actionpack/lib/action_dispatch/middleware/session/cache_store.rb new file mode 100644 index 0000000000..d3b6fd12fa --- /dev/null +++ b/actionpack/lib/action_dispatch/middleware/session/cache_store.rb @@ -0,0 +1,50 @@ +require 'action_dispatch/middleware/session/abstract_store' +require 'rack/session/memcache' + +module ActionDispatch +  module Session +    # Session store that uses an ActiveSupport::Cache::Store to store the sessions. This store is most useful +    # if you don't store critical data in your sessions and you don't need them to live for extended periods +    # of time. +    class CacheStore < AbstractStore +      # Create a new store. The cache to use can be passed in the <tt>:cache</tt> option. If it is +      # not specified, <tt>Rails.cache</tt> will be used. +      def initialize(app, options = {}) +        @cache = options[:cache] || Rails.cache +        options[:expire_after] ||= @cache.options[:expires_in] +        super +      end + +      # Get a session from the cache. +      def get_session(env, sid) +        sid ||= generate_sid +        session = @cache.read(cache_key(sid)) +        session ||= {} +        [sid, session] +      end + +      # Set a session in the cache. +      def set_session(env, sid, session, options) +        key = cache_key(sid) +        if session +          @cache.write(key, session, :expires_in => options[:expire_after]) +        else +          @cache.delete(key) +        end +        sid +      end + +      # Remove a session from the cache. +      def destroy_session(env, sid, options) +        @cache.delete(cache_key(sid)) +        generate_sid +      end + +      private +        # Turn the session id into a cache key. +        def cache_key(sid) +          "_session_id:#{sid}" +        end +    end +  end +end diff --git a/actionpack/lib/action_dispatch/middleware/show_exceptions.rb b/actionpack/lib/action_dispatch/middleware/show_exceptions.rb index 2fa68c64c5..52dce4cc81 100644 --- a/actionpack/lib/action_dispatch/middleware/show_exceptions.rb +++ b/actionpack/lib/action_dispatch/middleware/show_exceptions.rb @@ -2,6 +2,7 @@ require 'active_support/core_ext/exception'  require 'action_controller/metal/exceptions'  require 'active_support/notifications'  require 'action_dispatch/http/request' +require 'active_support/deprecation'  module ActionDispatch    # This middleware rescues any exception returned by the application and renders @@ -38,9 +39,9 @@ module ActionDispatch         "application's log file and/or the web server's log file to find out what " <<         "went wrong.</body></html>"]] -    def initialize(app, consider_all_requests_local = false) +    def initialize(app, consider_all_requests_local = nil) +      ActiveSupport::Deprecation.warn "Passing consider_all_requests_local option to ActionDispatch::ShowExceptions middleware no longer works" unless consider_all_requests_local.nil?        @app = app -      @consider_all_requests_local = consider_all_requests_local      end      def call(env) @@ -65,11 +66,10 @@ module ActionDispatch          log_error(exception)          exception = original_exception(exception) -        request = Request.new(env) -        if @consider_all_requests_local || request.local? -          rescue_action_locally(request, exception) +        if env['action_dispatch.show_detailed_exceptions'] == true +          rescue_action_diagnostics(env, exception)          else -          rescue_action_in_public(exception) +          rescue_action_error_page(exception)          end        rescue Exception => failsafe_error          $stderr.puts "Error during failsafe response: #{failsafe_error}\n  #{failsafe_error.backtrace * "\n  "}" @@ -78,9 +78,9 @@ module ActionDispatch        # Render detailed diagnostics for unhandled exceptions rescued from        # a controller action. -      def rescue_action_locally(request, exception) +      def rescue_action_diagnostics(env, exception)          template = ActionView::Base.new([RESCUES_TEMPLATE_PATH], -          :request => request, +          :request => Request.new(env),            :exception => exception,            :application_trace => application_trace(exception),            :framework_trace => framework_trace(exception), @@ -98,7 +98,7 @@ module ActionDispatch        # it will first attempt to render the file at <tt>public/500.da.html</tt>        # then attempt to render <tt>public/500.html</tt>. If none of them exist,        # the body of the response will be left empty. -      def rescue_action_in_public(exception) +      def rescue_action_error_page(exception)          status = status_code(exception)          locale_path = "#{public_path}/#{status}.#{I18n.locale}.html" if I18n.locale          path = "#{public_path}/#{status}.html" diff --git a/actionpack/lib/action_dispatch/middleware/templates/rescues/layout.erb b/actionpack/lib/action_dispatch/middleware/templates/rescues/layout.erb index 6e71fd7ddc..1a308707d1 100644 --- a/actionpack/lib/action_dispatch/middleware/templates/rescues/layout.erb +++ b/actionpack/lib/action_dispatch/middleware/templates/rescues/layout.erb @@ -16,6 +16,7 @@        background-color: #eee;        padding: 10px;        font-size: 11px; +      white-space: pre-wrap;      }      a { color: #000; } diff --git a/actionpack/lib/action_dispatch/routing/mapper.rb b/actionpack/lib/action_dispatch/routing/mapper.rb index ef31d1e004..7947e9d393 100644 --- a/actionpack/lib/action_dispatch/routing/mapper.rb +++ b/actionpack/lib/action_dispatch/routing/mapper.rb @@ -285,7 +285,7 @@ module ActionDispatch          # A pattern can also point to a +Rack+ endpoint i.e. anything that          # responds to +call+:          # -        #   match 'photos/:id' => lambda {|hash| [200, {}, "Coming soon" } +        #   match 'photos/:id' => lambda {|hash| [200, {}, "Coming soon"] }          #   match 'photos/:id' => PhotoRackApp          #   # Yes, controller actions are just rack endpoints          #   match 'photos/:id' => PhotosController.action(:show) @@ -374,10 +374,6 @@ module ActionDispatch          #     # Matches any request starting with 'path'          #     match 'path' => 'c#a', :anchor => false          def match(path, options=nil) -          mapping = Mapping.new(@set, @scope, path, options || {}) -          app, conditions, requirements, defaults, as, anchor = mapping.to_route -          @set.add_route(app, conditions, requirements, defaults, as, anchor) -          self          end          # Mount a Rack-based application to be used within the application. @@ -696,7 +692,7 @@ module ActionDispatch          # Allows you to constrain the nested routes based on a set of rules.          # For instance, in order to change the routes to allow for a dot character in the +id+ parameter:          # -        #   constraints(:id => /\d+\.\d+) do +        #   constraints(:id => /\d+\.\d+/) do          #     resources :posts          #   end          # @@ -706,7 +702,7 @@ module ActionDispatch          # You may use this to also restrict other parameters:          #          #   resources :posts do -        #     constraints(:post_id => /\d+\.\d+) do +        #     constraints(:post_id => /\d+\.\d+/) do          #       resources :comments          #     end          #   end @@ -735,7 +731,7 @@ module ActionDispatch          # if the user should be given access to that route, or +false+ if the user should not.          #          #    class Iphone -        #      def self.matches(request) +        #      def self.matches?(request)          #        request.env["HTTP_USER_AGENT"] =~ /iPhone/          #      end          #    end @@ -867,8 +863,6 @@ module ActionDispatch          CANONICAL_ACTIONS = %w(index create new show update destroy)          class Resource #:nodoc: -          DEFAULT_ACTIONS = [:index, :create, :new, :show, :update, :destroy, :edit] -            attr_reader :controller, :path, :options            def initialize(entities, options = {}) @@ -880,7 +874,7 @@ module ActionDispatch            end            def default_actions -            self.class::DEFAULT_ACTIONS +            [:index, :create, :new, :show, :update, :destroy, :edit]            end            def actions @@ -934,16 +928,17 @@ module ActionDispatch          end          class SingletonResource < Resource #:nodoc: -          DEFAULT_ACTIONS = [:show, :create, :update, :destroy, :new, :edit] -            def initialize(entities, options)              super -              @as         = nil              @controller = (options[:controller] || plural).to_s              @as         = options[:as]            end +          def default_actions +            [:show, :create, :update, :destroy, :new, :edit] +          end +            def plural              @plural ||= name.to_s.pluralize            end @@ -991,7 +986,7 @@ module ActionDispatch              return self            end -          resource_scope(SingletonResource.new(resources.pop, options)) do +          resource_scope(:resource, SingletonResource.new(resources.pop, options)) do              yield if block_given?              collection do @@ -1023,6 +1018,7 @@ module ActionDispatch          # creates seven different routes in your application, all mapping to          # the +Photos+ controller:          # +        #   GET     /photos          #   GET     /photos/new          #   POST    /photos          #   GET     /photos/:id @@ -1038,6 +1034,7 @@ module ActionDispatch          #          # This generates the following comments routes:          # +        #   GET     /photos/:photo_id/comments          #   GET     /photos/:photo_id/comments/new          #   POST    /photos/:photo_id/comments          #   GET     /photos/:photo_id/comments/:id @@ -1120,7 +1117,7 @@ module ActionDispatch              return self            end -          resource_scope(Resource.new(resources.pop, options)) do +          resource_scope(:resources, Resource.new(resources.pop, options)) do              yield if block_given?              collection do @@ -1243,32 +1240,44 @@ module ActionDispatch            parent_resource.instance_of?(Resource) && @scope[:shallow]          end -        def match(*args) -          options = args.extract_options!.dup -          options[:anchor] = true unless options.key?(:anchor) - -          if args.length > 1 -            args.each { |path| match(path, options.dup) } -            return self +        def match(path, *rest) +          if rest.empty? && Hash === path +            options  = path +            path, to = options.find { |name, value| name.is_a?(String) } +            options[:to] = to +            options.delete(path) +            paths = [path] +          else +            options = rest.pop || {} +            paths = [path] + rest            end -          on = options.delete(:on) -          if VALID_ON_OPTIONS.include?(on) -            args.push(options) -            return send(on){ match(*args) } -          elsif on +          options[:anchor] = true unless options.key?(:anchor) + +          if options[:on] && !VALID_ON_OPTIONS.include?(options[:on])              raise ArgumentError, "Unknown scope #{on.inspect} given to :on"            end -          if @scope[:scope_level] == :resources -            args.push(options) -            return nested { match(*args) } -          elsif @scope[:scope_level] == :resource -            args.push(options) -            return member { match(*args) } +          paths.each { |_path| decomposed_match(_path, options.dup) } +          self +        end + +        def decomposed_match(path, options) # :nodoc: +          if on = options.delete(:on) +            send(on) { decomposed_match(path, options) } +          else +            case @scope[:scope_level] +            when :resources +              nested { decomposed_match(path, options) } +            when :resource +              member { decomposed_match(path, options) } +            else +              add_route(path, options) +            end            end +        end -          action = args.first +        def add_route(action, options) # :nodoc:            path = path_for_action(action, options.delete(:path))            if action.to_s =~ /^[\w\/]+$/ @@ -1277,13 +1286,15 @@ module ActionDispatch              action = nil            end -          if options.key?(:as) && !options[:as] +          if !options.fetch(:as) { true }              options.delete(:as)            else              options[:as] = name_for_action(options[:as], action)            end -          super(path, options) +          mapping = Mapping.new(@set, @scope, path, options) +          app, conditions, requirements, defaults, as, anchor = mapping.to_route +          @set.add_route(app, conditions, requirements, defaults, as, anchor)          end          def root(options={}) @@ -1339,7 +1350,7 @@ module ActionDispatch            end            def scope_action_options? #:nodoc: -            @scope[:options].is_a?(Hash) && (@scope[:options][:only] || @scope[:options][:except]) +            @scope[:options] && (@scope[:options][:only] || @scope[:options][:except])            end            def scope_action_options #:nodoc: @@ -1347,11 +1358,11 @@ module ActionDispatch            end            def resource_scope? #:nodoc: -            @scope[:scope_level].in?([:resource, :resources]) +            [:resource, :resources].include? @scope[:scope_level]            end            def resource_method_scope? #:nodoc: -            @scope[:scope_level].in?([:collection, :member, :new]) +            [:collection, :member, :new].include? @scope[:scope_level]            end            def with_exclusive_scope @@ -1376,8 +1387,8 @@ module ActionDispatch              @scope[:scope_level_resource] = old_resource            end -          def resource_scope(resource) #:nodoc: -            with_scope_level(resource.is_a?(SingletonResource) ? :resource : :resources, resource) do +          def resource_scope(kind, resource) #:nodoc: +            with_scope_level(kind, resource) do                scope(parent_resource.resource_scope) do                  yield                end @@ -1385,10 +1396,12 @@ module ActionDispatch            end            def nested_options #:nodoc: -            {}.tap do |options| -              options[:as] = parent_resource.member_name -              options[:constraints] = { "#{parent_resource.singular}_id".to_sym => id_constraint } if id_constraint? -            end +            options = { :as => parent_resource.member_name } +            options[:constraints] = { +              :"#{parent_resource.singular}_id" => id_constraint +            } if id_constraint? + +            options            end            def id_constraint? #:nodoc: @@ -1464,19 +1477,6 @@ module ActionDispatch            end        end -      module Shorthand #:nodoc: -        def match(path, *rest) -          if rest.empty? && Hash === path -            options  = path -            path, to = options.find { |name, value| name.is_a?(String) } -            options.merge!(:to => to).delete(path) -            super(path, options) -          else -            super -          end -        end -      end -        def initialize(set) #:nodoc:          @set = set          @scope = { :path_names => @set.resources_path_names } @@ -1487,7 +1487,6 @@ module ActionDispatch        include Redirection        include Scoping        include Resources -      include Shorthand      end    end  end diff --git a/actionpack/lib/action_dispatch/routing/redirection.rb b/actionpack/lib/action_dispatch/routing/redirection.rb index 804991ad5f..330400e139 100644 --- a/actionpack/lib/action_dispatch/routing/redirection.rb +++ b/actionpack/lib/action_dispatch/routing/redirection.rb @@ -2,6 +2,54 @@ require 'action_dispatch/http/request'  module ActionDispatch    module Routing +    class Redirect # :nodoc: +      attr_reader :status, :block + +      def initialize(status, block) +        @status = status +        @block  = block +      end + +      def call(env) +        req = Request.new(env) + +        uri = URI.parse(path(req.symbolized_path_parameters, req)) +        uri.scheme ||= req.scheme +        uri.host   ||= req.host +        uri.port   ||= req.port unless req.standard_port? + +        body = %(<html><body>You are being <a href="#{ERB::Util.h(uri.to_s)}">redirected</a>.</body></html>) + +        headers = { +          'Location' => uri.to_s, +          'Content-Type' => 'text/html', +          'Content-Length' => body.length.to_s +        } + +        [ status, headers, [body] ] +      end + +      def path(params, request) +        block.call params, request +      end +    end + +    class OptionRedirect < Redirect # :nodoc: +      alias :options :block + +      def path(params, request) +        url_options = { +          :protocol => request.protocol, +          :host     => request.host, +          :port     => request.optional_port, +          :path     => request.path, +          :params   => request.query_parameters +        }.merge options + +        ActionDispatch::Http::URL.url_for url_options +      end +    end +      module Redirection        # Redirect any path to another path: @@ -40,71 +88,27 @@ module ActionDispatch          options = args.last.is_a?(Hash) ? args.pop : {}          status  = options.delete(:status) || 301 +        return OptionRedirect.new(status, options) if options.any? +          path = args.shift -        path_proc = if path.is_a?(String) -          proc { |params| (params.empty? || !path.match(/%\{\w*\}/)) ? path : (path % params) } -        elsif options.any? -          options_proc(options) -        elsif path.respond_to?(:call) -          proc { |params, request| path.call(params, request) } -        elsif block -          block -        else -          raise ArgumentError, "redirection argument not supported" -        end +        block = lambda { |params, request| +          (params.empty? || !path.match(/%\{\w*\}/)) ? path : (path % params) +        } if String === path -        redirection_proc(status, path_proc) -      end +        block = path if path.respond_to? :call -      private - -        def options_proc(options) -          proc do |params, request| -            path = if options[:path].nil? -              request.path -            elsif params.empty? || !options[:path].match(/%\{\w*\}/) -              options.delete(:path) -            else -              (options.delete(:path) % params) -            end - -            default_options = { -              :protocol => request.protocol, -              :host => request.host, -              :port => request.optional_port, -              :path => path, -              :params => request.query_parameters -            } - -            ActionDispatch::Http::URL.url_for(options.reverse_merge(default_options)) -          end +        # :FIXME: remove in Rails 4.0 +        if block && block.respond_to?(:arity) && block.arity < 2 +          msg = "redirect blocks with arity of #{block.arity} are deprecated. Your block must take 2 parameters: the environment, and a request object" +          ActiveSupport::Deprecation.warn msg +          block = lambda { |params, _| block.call(params) }          end -        def redirection_proc(status, path_proc) -          lambda do |env| -            req = Request.new(env) - -            params = [req.symbolized_path_parameters] -            params << req if path_proc.arity > 1 - -            uri = URI.parse(path_proc.call(*params)) -            uri.scheme ||= req.scheme -            uri.host   ||= req.host -            uri.port   ||= req.port unless req.standard_port? - -            body = %(<html><body>You are being <a href="#{ERB::Util.h(uri.to_s)}">redirected</a>.</body></html>) - -            headers = { -              'Location' => uri.to_s, -              'Content-Type' => 'text/html', -              'Content-Length' => body.length.to_s -            } - -            [ status, headers, [body] ] -          end -        end +        raise ArgumentError, "redirection argument not supported" unless block +        Redirect.new status, block +      end      end    end -end
\ No newline at end of file +end diff --git a/actionpack/lib/action_dispatch/routing/route_set.rb b/actionpack/lib/action_dispatch/routing/route_set.rb index e7bc431783..2bcde16110 100644 --- a/actionpack/lib/action_dispatch/routing/route_set.rb +++ b/actionpack/lib/action_dispatch/routing/route_set.rb @@ -37,7 +37,7 @@ module ActionDispatch          # If this is a default_controller (i.e. a controller specified by the user)          # we should raise an error in case it's not found, because it usually means -        # an user error. However, if the controller was retrieved through a dynamic +        # a user error. However, if the controller was retrieved through a dynamic          # segment, as in :controller(/:action), we should simply return nil and          # delegate the control back to Rack cascade. Besides, if this is not a default          # controller, it means we should respect the @scope[:module] parameter. | 
