strong_parameters.rb 31.5 KB
Newer Older
1 2 3 4
require "active_support/core_ext/hash/indifferent_access"
require "active_support/core_ext/hash/transform_values"
require "active_support/core_ext/array/wrap"
require "active_support/core_ext/string/filters"
5
require "active_support/core_ext/object/to_query"
6 7 8 9 10 11
require "active_support/rescuable"
require "action_dispatch/http/upload"
require "rack/test"
require "stringio"
require "set"
require "yaml"
12

13
module ActionController
14 15 16 17
  # Raised when a required parameter is missing.
  #
  #   params = ActionController::Parameters.new(a: {})
  #   params.fetch(:b)
18
  #   # => ActionController::ParameterMissing: param is missing or the value is empty: b
19
  #   params.require(:a)
20
  #   # => ActionController::ParameterMissing: param is missing or the value is empty: a
21
  class ParameterMissing < KeyError
22
    attr_reader :param # :nodoc:
23

24
    def initialize(param) # :nodoc:
25
      @param = param
26
      super("param is missing or the value is empty: #{param}")
27 28 29
    end
  end

30 31
  # Raised when a supplied parameter is not expected and
  # ActionController::Parameters.action_on_unpermitted_parameters
32
  # is set to <tt>:raise</tt>.
33 34 35
  #
  #   params = ActionController::Parameters.new(a: "123", b: "456")
  #   params.permit(:c)
36
  #   # => ActionController::UnpermittedParameters: found unpermitted parameters: :a, :b
37 38
  class UnpermittedParameters < IndexError
    attr_reader :params # :nodoc:
39

40
    def initialize(params) # :nodoc:
41
      @params = params
42
      super("found unpermitted parameter#{'s' if params.size > 1 }: #{params.map { |e| ":#{e}" }.join(", ")}")
43 44 45
    end
  end

46
  # == Action Controller \Parameters
47
  #
T
Tom Kadwill 已提交
48
  # Allows you to choose which attributes should be whitelisted for mass updating
49
  # and thus prevent accidentally exposing that which shouldn't be exposed.
50 51
  # Provides two methods for this purpose: #require and #permit. The former is
  # used to mark parameters as required. The latter is used to set the parameter
52
  # as permitted and limit which attributes should be allowed for mass updating.
53 54 55 56 57 58 59 60 61 62
  #
  #   params = ActionController::Parameters.new({
  #     person: {
  #       name: 'Francesco',
  #       age:  22,
  #       role: 'admin'
  #     }
  #   })
  #
  #   permitted = params.require(:person).permit(:name, :age)
63
  #   permitted            # => <ActionController::Parameters {"name"=>"Francesco", "age"=>22} permitted: true>
64 65
  #   permitted.permitted? # => true
  #
66
  #   Person.first.update!(permitted)
67
  #   # => #<Person id: 1, name: "Francesco", age: 22, role: "user">
68
  #
69 70 71 72 73 74 75 76 77
  # It provides two options that controls the top-level behavior of new instances:
  #
  # * +permit_all_parameters+ - If it's +true+, all the parameters will be
  #   permitted by default. The default is +false+.
  # * +action_on_unpermitted_parameters+ - Allow to control the behavior when parameters
  #   that are not explicitly permitted are found. The values can be <tt>:log</tt> to
  #   write a message on the logger or <tt>:raise</tt> to raise
  #   ActionController::UnpermittedParameters exception. The default value is <tt>:log</tt>
  #   in test and development environments, +false+ otherwise.
78
  #
79 80
  # Examples:
  #
81
  #   params = ActionController::Parameters.new
82
  #   params.permitted? # => false
83 84 85 86 87 88
  #
  #   ActionController::Parameters.permit_all_parameters = true
  #
  #   params = ActionController::Parameters.new
  #   params.permitted? # => true
  #
89 90
  #   params = ActionController::Parameters.new(a: "123", b: "456")
  #   params.permit(:c)
91
  #   # => <ActionController::Parameters {} permitted: true>
92 93 94 95 96 97 98
  #
  #   ActionController::Parameters.action_on_unpermitted_parameters = :raise
  #
  #   params = ActionController::Parameters.new(a: "123", b: "456")
  #   params.permit(:c)
  #   # => ActionController::UnpermittedParameters: found unpermitted keys: a, b
  #
99 100 101 102
  # Please note that these options *are not thread-safe*. In a multi-threaded
  # environment they should only be set once at boot-time and never mutated at
  # runtime.
  #
103 104
  # You can fetch values of <tt>ActionController::Parameters</tt> using either
  # <tt>:key</tt> or <tt>"key"</tt>.
105 106 107 108
  #
  #   params = ActionController::Parameters.new(key: 'value')
  #   params[:key]  # => "value"
  #   params["key"] # => "value"
109
  class Parameters
110
    cattr_accessor :permit_all_parameters, instance_accessor: false
111 112
    self.permit_all_parameters = false

113 114
    cattr_accessor :action_on_unpermitted_parameters, instance_accessor: false

115
    delegate :keys, :key?, :has_key?, :values, :has_value?, :value?, :empty?, :include?,
116
      :as_json, to: :@parameters
117

118 119 120 121
    # By default, never raise an UnpermittedParameters exception if these
    # params are present. The default includes both 'controller' and 'action'
    # because they are added by Rails and should be of no concern. One way
    # to change these is to specify `always_permitted_parameters` in your
R
Rafael Chacón 已提交
122 123 124
    # config. For instance:
    #
    #    config.always_permitted_parameters = %w( controller action format )
125 126 127
    cattr_accessor :always_permitted_parameters
    self.always_permitted_parameters = %w( controller action )

128 129 130 131
    # Returns a new instance of <tt>ActionController::Parameters</tt>.
    # Also, sets the +permitted+ attribute to the default value of
    # <tt>ActionController::Parameters.permit_all_parameters</tt>.
    #
U
Uģis Ozols 已提交
132
    #   class Person < ActiveRecord::Base
133 134 135 136
    #   end
    #
    #   params = ActionController::Parameters.new(name: 'Francesco')
    #   params.permitted?  # => false
137
    #   Person.new(params) # => ActiveModel::ForbiddenAttributesError
138 139 140 141
    #
    #   ActionController::Parameters.permit_all_parameters = true
    #
    #   params = ActionController::Parameters.new(name: 'Francesco')
142
    #   params.permitted?  # => true
143
    #   Person.new(params) # => #<Person id: nil, name: "Francesco">
144 145
    def initialize(parameters = {})
      @parameters = parameters.with_indifferent_access
146
      @permitted = self.class.permit_all_parameters
147 148
    end

149
    # Returns true if another +Parameters+ object contains the same content and
150 151 152 153
    # permitted flag.
    def ==(other)
      if other.respond_to?(:permitted?)
        self.permitted? == other.permitted? && self.parameters == other.parameters
154
      else
155
        @parameters == other
156 157 158
      end
    end

159 160
    # Returns a safe <tt>ActiveSupport::HashWithIndifferentAccess</tt>
    # representation of this parameter with all unpermitted keys removed.
161 162 163 164 165 166 167 168 169 170 171
    #
    #   params = ActionController::Parameters.new({
    #     name: 'Senjougahara Hitagi',
    #     oddity: 'Heavy stone crab'
    #   })
    #   params.to_h # => {}
    #
    #   safe_params = params.permit(:name)
    #   safe_params.to_h # => {"name"=>"Senjougahara Hitagi"}
    def to_h
      if permitted?
172
        convert_parameters_to_hashes(@parameters, :to_h)
173 174 175 176 177
      else
        slice(*self.class.always_permitted_parameters).permit!.to_h
      end
    end

178 179 180
    # Returns an unsafe, unfiltered
    # <tt>ActiveSupport::HashWithIndifferentAccess</tt> representation of this
    # parameter.
181 182 183 184 185 186
    #
    #   params = ActionController::Parameters.new({
    #     name: 'Senjougahara Hitagi',
    #     oddity: 'Heavy stone crab'
    #   })
    #   params.to_unsafe_h
187
    #   # => {"name"=>"Senjougahara Hitagi", "oddity" => "Heavy stone crab"}
P
Prem Sichanugrist 已提交
188
    def to_unsafe_h
189
      convert_parameters_to_hashes(@parameters, :to_unsafe_h)
P
Prem Sichanugrist 已提交
190 191 192
    end
    alias_method :to_unsafe_hash, :to_unsafe_h

T
Tom Kadwill 已提交
193
    # Convert all hashes in values into parameters, then yield each pair in
194 195
    # the same way as <tt>Hash#each_pair</tt>
    def each_pair(&block)
196 197
      @parameters.each_pair do |key, value|
        yield key, convert_hashes_to_parameters(key, value)
198 199 200 201
      end
    end
    alias_method :each, :each_pair

202 203 204
    # Attribute that keeps track of converted arrays, if any, to avoid double
    # looping in the common use case permit + mass-assignment. Defined in a
    # method to instantiate it only if needed.
205 206 207 208
    #
    # Testing membership still loops, but it's going to be faster than our own
    # loop that converts values. Also, we are not going to build a new array
    # object per fetch.
209
    def converted_arrays
210
      @converted_arrays ||= Set.new
211 212
    end

213 214 215 216 217 218 219 220 221 222
    # Returns +true+ if the parameter is permitted, +false+ otherwise.
    #
    #   params = ActionController::Parameters.new
    #   params.permitted? # => false
    #   params.permit!
    #   params.permitted? # => true
    def permitted?
      @permitted
    end

223 224 225 226 227 228 229
    # Sets the +permitted+ attribute to +true+. This can be used to pass
    # mass assignment. Returns +self+.
    #
    #   class Person < ActiveRecord::Base
    #   end
    #
    #   params = ActionController::Parameters.new(name: 'Francesco')
230
    #   params.permitted?  # => false
231 232 233 234
    #   Person.new(params) # => ActiveModel::ForbiddenAttributesError
    #   params.permit!
    #   params.permitted?  # => true
    #   Person.new(params) # => #<Person id: nil, name: "Francesco">
235
    def permit!
236
      each_pair do |key, value|
C
Corey Ward 已提交
237 238
        Array.wrap(value).each do |v|
          v.permit! if v.respond_to? :permit!
239
        end
240 241
      end

242 243 244 245
      @permitted = true
      self
    end

246 247 248 249
    # This method accepts both a single key and an array of keys.
    #
    # When passed a single key, if it exists and its associated value is
    # either present or the singleton +false+, returns said value:
250
    #
251
    #   ActionController::Parameters.new(person: { name: 'Francesco' }).require(:person)
252
    #   # => <ActionController::Parameters {"name"=>"Francesco"} permitted: false>
253
    #
254 255 256 257 258
    # Otherwise raises <tt>ActionController::ParameterMissing</tt>:
    #
    #   ActionController::Parameters.new.require(:person)
    #   # ActionController::ParameterMissing: param is missing or the value is empty: person
    #
259
    #   ActionController::Parameters.new(person: nil).require(:person)
260 261 262 263
    #   # ActionController::ParameterMissing: param is missing or the value is empty: person
    #
    #   ActionController::Parameters.new(person: "\t").require(:person)
    #   # ActionController::ParameterMissing: param is missing or the value is empty: person
264
    #
265
    #   ActionController::Parameters.new(person: {}).require(:person)
266 267 268
    #   # ActionController::ParameterMissing: param is missing or the value is empty: person
    #
    # When given an array of keys, the method tries to require each one of them
X
Xavier Noria 已提交
269
    # in order. If it succeeds, an array with the respective return values is
270 271 272
    # returned:
    #
    #   params = ActionController::Parameters.new(user: { ... }, profile: { ... })
273
    #   user_params, profile_params = params.require([:user, :profile])
274
    #
T
Tom Kadwill 已提交
275
    # Otherwise, the method re-raises the first exception found:
276
    #
277
    #   params = ActionController::Parameters.new(user: {}, profile: {})
278
    #   user_params, profile_params = params.require([:user, :profile])
279 280 281 282 283 284 285 286 287 288
    #   # ActionController::ParameterMissing: param is missing or the value is empty: user
    #
    # Technically this method can be used to fetch terminal values:
    #
    #   # CAREFUL
    #   params = ActionController::Parameters.new(person: { name: 'Finn' })
    #   name = params.require(:person).require(:name) # CAREFUL
    #
    # but take into account that at some point those ones have to be permitted:
    #
289 290 291
    #   def person_params
    #     params.require(:person).permit(:name).tap do |person_params|
    #       person_params.require(:name) # SAFER
292 293
    #     end
    #   end
294
    #
295
    # for example.
296
    def require(key)
X
Xavier Noria 已提交
297
      return key.map { |k| require(k) } if key.is_a?(Array)
298 299 300 301 302 303
      value = self[key]
      if value.present? || value == false
        value
      else
        raise ParameterMissing.new(key)
      end
304 305
    end

306
    # Alias of #require.
307 308
    alias :required :require

309
    # Returns a new <tt>ActionController::Parameters</tt> instance that
310 311
    # includes only the given +filters+ and sets the +permitted+ attribute
    # for the object to +true+. This is useful for limiting which attributes
312 313 314 315
    # should be allowed for mass updating.
    #
    #   params = ActionController::Parameters.new(user: { name: 'Francesco', age: 22, role: 'admin' })
    #   permitted = params.require(:user).permit(:name, :age)
316
    #   permitted.permitted?      # => true
317 318 319 320
    #   permitted.has_key?(:name) # => true
    #   permitted.has_key?(:age)  # => true
    #   permitted.has_key?(:role) # => false
    #
321 322 323 324
    # Only permitted scalars pass the filter. For example, given
    #
    #   params.permit(:name)
    #
325
    # +:name+ passes if it is a key of +params+ whose associated value is of type
326
    # +String+, +Symbol+, +NilClass+, +Numeric+, +TrueClass+, +FalseClass+,
327 328 329
    # +Date+, +Time+, +DateTime+, +StringIO+, +IO+,
    # +ActionDispatch::Http::UploadedFile+ or +Rack::Test::UploadedFile+.
    # Otherwise, the key +:name+ is filtered out.
330 331 332 333
    #
    # You may declare that the parameter should be an array of permitted scalars
    # by mapping it to an empty array:
    #
334
    #   params = ActionController::Parameters.new(tags: ['rails', 'parameters'])
335
    #   params.permit(tags: [])
336
    #
337 338 339
    # You can also use +permit+ on nested parameters, like:
    #
    #   params = ActionController::Parameters.new({
340
    #     person: {
341 342 343 344 345 346 347 348 349
    #       name: 'Francesco',
    #       age:  22,
    #       pets: [{
    #         name: 'Purplish',
    #         category: 'dogs'
    #       }]
    #     }
    #   })
    #
350
    #   permitted = params.permit(person: [ :name, { pets: :name } ])
351 352
    #   permitted.permitted?                    # => true
    #   permitted[:person][:name]               # => "Francesco"
353
    #   permitted[:person][:age]                # => nil
354 355
    #   permitted[:person][:pets][0][:name]     # => "Purplish"
    #   permitted[:person][:pets][0][:category] # => nil
356 357 358 359 360 361 362 363
    #
    # Note that if you use +permit+ in a key that points to a hash,
    # it won't allow all the hash. You also need to specify which
    # attributes inside the hash should be whitelisted.
    #
    #   params = ActionController::Parameters.new({
    #     person: {
    #       contact: {
I
Ilya Vorontsov 已提交
364
    #         email: 'none@test.com',
365 366 367 368 369 370
    #         phone: '555-1234'
    #       }
    #     }
    #   })
    #
    #   params.require(:person).permit(:contact)
371
    #   # => <ActionController::Parameters {} permitted: true>
372 373
    #
    #   params.require(:person).permit(contact: :phone)
374
    #   # => <ActionController::Parameters {"contact"=><ActionController::Parameters {"phone"=>"555-1234"} permitted: true>} permitted: true>
375 376
    #
    #   params.require(:person).permit(contact: [ :email, :phone ])
377
    #   # => <ActionController::Parameters {"contact"=><ActionController::Parameters {"email"=>"none@test.com", "phone"=>"555-1234"} permitted: true>} permitted: true>
378 379 380
    def permit(*filters)
      params = self.class.new

381
      filters.flatten.each do |filter|
382
        case filter
383 384
        when Symbol, String
          permitted_scalar_filter(params, filter)
385
        when Hash then
386
          hash_filter(params, filter)
387 388 389
        end
      end

390
      unpermitted_parameters!(params) if self.class.action_on_unpermitted_parameters
391

392 393 394
      params.permit!
    end

395 396 397
    # Returns a parameter for the given +key+. If not found,
    # returns +nil+.
    #
398
    #   params = ActionController::Parameters.new(person: { name: 'Francesco' })
399
    #   params[:person] # => <ActionController::Parameters {"name"=>"Francesco"} permitted: false>
400
    #   params[:none]   # => nil
401
    def [](key)
402 403 404
      convert_hashes_to_parameters(key, @parameters[key])
    end

405 406
    # Assigns a value to a given +key+. The given key may still get filtered out
    # when +permit+ is called.
407 408
    def []=(key, value)
      @parameters[key] = value
409 410
    end

411 412 413 414 415 416 417
    # Returns a parameter for the given +key+. If the +key+
    # can't be found, there are several options: With no other arguments,
    # it will raise an <tt>ActionController::ParameterMissing</tt> error;
    # if more arguments are given, then that will be returned; if a block
    # is given, then that will be run and its result returned.
    #
    #   params = ActionController::Parameters.new(person: { name: 'Francesco' })
418
    #   params.fetch(:person)               # => <ActionController::Parameters {"name"=>"Francesco"} permitted: false>
419
    #   params.fetch(:none)                 # => ActionController::ParameterMissing: param is missing or the value is empty: none
420
    #   params.fetch(:none, 'Francesco')    # => "Francesco"
421
    #   params.fetch(:none) { 'Francesco' } # => "Francesco"
A
Akira Matsuda 已提交
422
    def fetch(key, *args)
423
      convert_value_to_parameters(
424 425 426 427 428 429
        @parameters.fetch(key) {
          if block_given?
            yield
          else
            args.fetch(0) { raise ActionController::ParameterMissing.new(key) }
          end
430
        }
431
      )
432 433
    end

434 435 436 437
    if Hash.method_defined?(:dig)
      # Extracts the nested parameter from the given +keys+ by calling +dig+
      # at each step. Returns +nil+ if any intermediate step is +nil+.
      #
438 439 440
      #   params = ActionController::Parameters.new(foo: { bar: { baz: 1 } })
      #   params.dig(:foo, :bar, :baz) # => 1
      #   params.dig(:foo, :zot, :xyz) # => nil
441
      #
442 443
      #   params2 = ActionController::Parameters.new(foo: [10, 11, 12])
      #   params2.dig(:foo, 1) # => 11
444 445 446 447 448
      def dig(*keys)
        convert_value_to_parameters(@parameters.dig(*keys))
      end
    end

449 450 451 452 453
    # Returns a new <tt>ActionController::Parameters</tt> instance that
    # includes only the given +keys+. If the given +keys+
    # don't exist, returns an empty hash.
    #
    #   params = ActionController::Parameters.new(a: 1, b: 2, c: 3)
454 455
    #   params.slice(:a, :b) # => <ActionController::Parameters {"a"=>1, "b"=>2} permitted: false>
    #   params.slice(:d)     # => <ActionController::Parameters {} permitted: false>
456
    def slice(*keys)
457 458 459
      new_instance_with_inherited_permitted_status(@parameters.slice(*keys))
    end

460 461
    # Returns current <tt>ActionController::Parameters</tt> instance which
    # contains only the given +keys+.
462 463 464 465 466
    def slice!(*keys)
      @parameters.slice!(*keys)
      self
    end

467 468 469 470
    # Returns a new <tt>ActionController::Parameters</tt> instance that
    # filters out the given +keys+.
    #
    #   params = ActionController::Parameters.new(a: 1, b: 2, c: 3)
471 472
    #   params.except(:a, :b) # => <ActionController::Parameters {"c"=>3} permitted: false>
    #   params.except(:d)     # => <ActionController::Parameters {"a"=>1, "b"=>2, "c"=>3} permitted: false>
473 474
    def except(*keys)
      new_instance_with_inherited_permitted_status(@parameters.except(*keys))
475 476
    end

477 478 479
    # Removes and returns the key/value pairs matching the given keys.
    #
    #   params = ActionController::Parameters.new(a: 1, b: 2, c: 3)
480 481
    #   params.extract!(:a, :b) # => <ActionController::Parameters {"a"=>1, "b"=>2} permitted: false>
    #   params                  # => <ActionController::Parameters {"c"=>3} permitted: false>
482
    def extract!(*keys)
483
      new_instance_with_inherited_permitted_status(@parameters.extract!(*keys))
484 485 486 487 488 489 490
    end

    # Returns a new <tt>ActionController::Parameters</tt> with the results of
    # running +block+ once for every value. The keys are unchanged.
    #
    #   params = ActionController::Parameters.new(a: 1, b: 2, c: 3)
    #   params.transform_values { |x| x * 2 }
491
    #   # => <ActionController::Parameters {"a"=>2, "b"=>4, "c"=>6} permitted: false>
492 493 494 495 496
    def transform_values(&block)
      if block
        new_instance_with_inherited_permitted_status(
          @parameters.transform_values(&block)
        )
497
      else
498
        @parameters.transform_values
499 500 501
      end
    end

502 503
    # Performs values transformation and returns the altered
    # <tt>ActionController::Parameters</tt> instance.
504 505 506 507 508
    def transform_values!(&block)
      @parameters.transform_values!(&block)
      self
    end

509 510 511
    # Returns a new <tt>ActionController::Parameters</tt> instance with the
    # results of running +block+ once for every key. The values are unchanged.
    def transform_keys(&block)
512 513 514 515
      if block
        new_instance_with_inherited_permitted_status(
          @parameters.transform_keys(&block)
        )
516
      else
517
        @parameters.transform_keys
518 519 520
      end
    end

J
Jon Atack 已提交
521
    # Performs keys transformation and returns the altered
522
    # <tt>ActionController::Parameters</tt> instance.
523 524 525 526 527
    def transform_keys!(&block)
      @parameters.transform_keys!(&block)
      self
    end

528 529 530 531
    # Deletes and returns a key-value pair from +Parameters+ whose key is equal
    # to key. If the key is not found, returns the default value. If the
    # optional code block is given and the key is not found, pass in the key
    # and return the result of block.
A
Akira Matsuda 已提交
532
    def delete(key)
533
      convert_value_to_parameters(@parameters.delete(key))
534 535
    end

536 537
    # Returns a new instance of <tt>ActionController::Parameters</tt> with only
    # items that the block evaluates to true.
538 539
    def select(&block)
      new_instance_with_inherited_permitted_status(@parameters.select(&block))
540 541 542 543
    end

    # Equivalent to Hash#keep_if, but returns nil if no changes were made.
    def select!(&block)
544 545 546 547 548
      @parameters.select!(&block)
      self
    end
    alias_method :keep_if, :select!

549 550
    # Returns a new instance of <tt>ActionController::Parameters</tt> with items
    # that the block evaluates to true removed.
551 552 553 554
    def reject(&block)
      new_instance_with_inherited_permitted_status(@parameters.reject(&block))
    end

555
    # Removes items that the block evaluates to true and returns self.
556 557 558 559 560 561
    def reject!(&block)
      @parameters.reject!(&block)
      self
    end
    alias_method :delete_if, :reject!

562
    # Returns values that were assigned to the given +keys+. Note that all the
563
    # +Hash+ objects will be converted to <tt>ActionController::Parameters</tt>.
564 565
    def values_at(*keys)
      convert_value_to_parameters(@parameters.values_at(*keys))
566 567
    end

568 569
    # Returns a new <tt>ActionController::Parameters</tt> with all keys from
    # +other_hash+ merges into current hash.
570 571
    def merge(other_hash)
      new_instance_with_inherited_permitted_status(
572
        @parameters.merge(other_hash.to_h)
573 574 575
      )
    end

576 577 578 579 580 581 582
    # Returns current <tt>ActionController::Parameters</tt> instance which
    # +other_hash+ merges into current hash.
    def merge!(other_hash)
      @parameters.merge!(other_hash.to_h)
      self
    end

583
    # This is required by ActiveModel attribute assignment, so that user can
584 585 586
    # pass +Parameters+ to a mass assignment methods in a model. It should not
    # matter as we are using +HashWithIndifferentAccess+ internally.
    def stringify_keys # :nodoc:
587 588 589
      dup
    end

590
    def inspect
591
      "<#{self.class} #{@parameters} permitted: #{@permitted}>"
592 593
    end

594 595 596 597
    def self.hook_into_yaml_loading # :nodoc:
      # Wire up YAML format compatibility with Rails 4.2 and Psych 2.0.8 and 2.0.9+.
      # Makes the YAML parser call `init_with` when it encounters the keys below
      # instead of trying its own parsing routines.
598 599
      YAML.load_tags["!ruby/hash-with-ivars:ActionController::Parameters"] = name
      YAML.load_tags["!ruby/hash:ActionController::Parameters"] = name
600 601 602
    end
    hook_into_yaml_loading

603
    def init_with(coder) # :nodoc:
604
      case coder.tag
605
      when "!ruby/hash:ActionController::Parameters"
606 607 608
        # YAML 2.0.8's format where hash instance variables weren't stored.
        @parameters = coder.map.with_indifferent_access
        @permitted  = false
609
      when "!ruby/hash-with-ivars:ActionController::Parameters"
610
        # YAML 2.0.9's Hash subclass format where keys and values
611
        # were stored under an elements hash and `permitted` within an ivars hash.
612 613 614
        @parameters = coder.map["elements"].with_indifferent_access
        @permitted  = coder.map["ivars"][:@permitted]
      when "!ruby/object:ActionController::Parameters"
615 616
        # YAML's Object format. Only needed because of the format
        # backwardscompability above, otherwise equivalent to YAML's initialization.
617
        @parameters, @permitted = coder.map["parameters"], coder.map["permitted"]
618 619 620
      end
    end

621 622
    undef_method :to_param

623 624 625 626 627 628 629
    # Returns duplicate of object including all parameters
    def deep_dup
      self.class.new(@parameters.deep_dup).tap do |duplicate|
        duplicate.permitted = @permitted
      end
    end

630
    protected
631 632
      attr_reader :parameters

633 634 635 636
      def permitted=(new_permitted)
        @permitted = new_permitted
      end

637
      def fields_for_style?
638
        @parameters.all? { |k, v| k =~ /\A-?\d+\z/ && (v.is_a?(Hash) || v.is_a?(Parameters)) }
639 640
      end

641
    private
642 643 644 645 646 647
      def new_instance_with_inherited_permitted_status(hash)
        self.class.new(hash).tap do |new_instance|
          new_instance.permitted = @permitted
        end
      end

648
      def convert_parameters_to_hashes(value, using)
649 650
        case value
        when Array
651
          value.map { |v| convert_parameters_to_hashes(v, using) }
652 653
        when Hash
          value.transform_values do |v|
654
            convert_parameters_to_hashes(v, using)
655 656
          end.with_indifferent_access
        when Parameters
657
          value.send(using)
658 659 660 661 662
        else
          value
        end
      end

663
      def convert_hashes_to_parameters(key, value)
664
        converted = convert_value_to_parameters(value)
665
        @parameters[key] = converted unless converted.equal?(value)
666 667 668
        converted
      end

669
      def convert_value_to_parameters(value)
670 671 672
        case value
        when Array
          return value if converted_arrays.member?(value)
673 674
          converted = value.map { |_| convert_value_to_parameters(_) }
          converted_arrays << converted
675
          converted
676
        when Hash
677
          self.class.new(value)
678 679
        else
          value
680 681 682 683
        end
      end

      def each_element(object)
A
Aaron Patterson 已提交
684 685 686 687
        case object
        when Array
          object.grep(Parameters).map { |el| yield el }.compact
        when Parameters
688
          if object.fields_for_style?
A
Aaron Patterson 已提交
689
            hash = object.class.new
690
            object.each { |k, v| hash[k] = yield v }
A
Aaron Patterson 已提交
691 692 693 694
            hash
          else
            yield object
          end
695 696
        end
      end
697 698 699 700 701 702

      def unpermitted_parameters!(params)
        unpermitted_keys = unpermitted_keys(params)
        if unpermitted_keys.any?
          case self.class.action_on_unpermitted_parameters
          when :log
703 704
            name = "unpermitted_parameters.action_controller"
            ActiveSupport::Notifications.instrument(name, keys: unpermitted_keys)
705 706 707 708 709 710 711
          when :raise
            raise ActionController::UnpermittedParameters.new(unpermitted_keys)
          end
        end
      end

      def unpermitted_keys(params)
712
        keys - params.keys - always_permitted_parameters
713
      end
714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737

      #
      # --- Filtering ----------------------------------------------------------
      #

      # This is a white list of permitted scalar types that includes the ones
      # supported in XML and JSON requests.
      #
      # This list is in particular used to filter ordinary requests, String goes
      # as first element to quickly short-circuit the common case.
      #
      # If you modify this collection please update the API of +permit+ above.
      PERMITTED_SCALAR_TYPES = [
        String,
        Symbol,
        NilClass,
        Numeric,
        TrueClass,
        FalseClass,
        Date,
        Time,
        # DateTimes are Dates, we document the type but avoid the redundant check.
        StringIO,
        IO,
738
        ActionDispatch::Http::UploadedFile,
739
        Rack::Test::UploadedFile,
740 741 742
      ]

      def permitted_scalar?(value)
743
        PERMITTED_SCALAR_TYPES.any? { |type| value.is_a?(type) }
744 745 746 747 748 749 750
      end

      def permitted_scalar_filter(params, key)
        if has_key?(key) && permitted_scalar?(self[key])
          params[key] = self[key]
        end

751
        keys.grep(/\A#{Regexp.escape(key)}\(\d+[if]?\)\z/) do |k|
752 753
          if permitted_scalar?(self[k])
            params[k] = self[k]
754 755 756 757 758
          end
        end
      end

      def array_of_permitted_scalars?(value)
759
        if value.is_a?(Array) && value.all? { |element| permitted_scalar?(element) }
760
          yield value
761 762 763
        end
      end

764 765 766 767
      def non_scalar?(value)
        value.is_a?(Array) || value.is_a?(Parameters)
      end

768
      EMPTY_ARRAY = []
769 770 771 772 773
      def hash_filter(params, filter)
        filter = filter.with_indifferent_access

        # Slicing filters out non-declared keys.
        slice(*filter.keys).each do |key, value|
774
          next unless value
A
Aaron Patterson 已提交
775
          next unless has_key? key
776

777
          if filter[key] == EMPTY_ARRAY
778
            # Declaration { comment_ids: [] }.
A
Aaron Patterson 已提交
779
            array_of_permitted_scalars?(self[key]) do |val|
780 781
              params[key] = val
            end
782
          elsif non_scalar?(value)
V
Vipul A M 已提交
783
            # Declaration { user: :name } or { user: [:name, :age, { address: ... }] }.
784
            params[key] = each_element(value) do |element|
A
Aaron Patterson 已提交
785
              element.permit(*Array.wrap(filter[key]))
786 787 788 789
            end
          end
        end
      end
790 791 792

      def initialize_copy(source)
        super
793
        @parameters = @parameters.dup
794
      end
795 796
  end

797
  # == Strong \Parameters
798
  #
799
  # It provides an interface for protecting attributes from end-user
800
  # assignment. This makes Action Controller parameters forbidden
801
  # to be used in Active Model mass assignment until they have been
802 803 804 805 806 807 808
  # whitelisted.
  #
  # In addition, parameters can be marked as required and flow through a
  # predefined raise/rescue flow to end up as a 400 Bad Request with no
  # effort.
  #
  #   class PeopleController < ActionController::Base
809
  #     # Using "Person.create(params[:person])" would raise an
810
  #     # ActiveModel::ForbiddenAttributesError exception because it'd
811 812
  #     # be using mass assignment without an explicit permit step.
  #     # This is the recommended form:
813
  #     def create
814
  #       Person.create(person_params)
815 816 817
  #     end
  #
  #     # This will pass with flying colors as long as there's a person key in the
818
  #     # parameters, otherwise it'll raise an ActionController::MissingParameter
819
  #     # exception, which will get caught by ActionController::Base and turned
820
  #     # into a 400 Bad Request reply.
821 822
  #     def update
  #       redirect_to current_account.people.find(params[:id]).tap { |person|
823
  #         person.update!(person_params)
824 825 826 827 828
  #       }
  #     end
  #
  #     private
  #       # Using a private method to encapsulate the permissible parameters is
829
  #       # just a good pattern since you'll be able to reuse the same permit
830 831 832 833 834 835 836
  #       # list between create and update. Also, you can specialize this method
  #       # with per-user checking of permissible attributes.
  #       def person_params
  #         params.require(:person).permit(:name, :age)
  #       end
  #   end
  #
837
  # In order to use <tt>accepts_nested_attributes_for</tt> with Strong \Parameters, you
838 839
  # will need to specify which nested attributes should be whitelisted. You might want
  # to allow +:id+ and +:_destroy+, see ActiveRecord::NestedAttributes for more information.
840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858
  #
  #   class Person
  #     has_many :pets
  #     accepts_nested_attributes_for :pets
  #   end
  #
  #   class PeopleController < ActionController::Base
  #     def create
  #       Person.create(person_params)
  #     end
  #
  #     ...
  #
  #     private
  #
  #       def person_params
  #         # It's mandatory to specify the nested attributes that should be whitelisted.
  #         # If you use `permit` with just the key that points to the nested attributes hash,
  #         # it will return an empty hash.
859
  #         params.require(:person).permit(:name, :age, pets_attributes: [ :id, :name, :category ])
860 861 862
  #       end
  #   end
  #
863 864
  # See ActionController::Parameters.require and ActionController::Parameters.permit
  # for more information.
865 866 867 868
  module StrongParameters
    extend ActiveSupport::Concern
    include ActiveSupport::Rescuable

869 870
    # Returns a new ActionController::Parameters object that
    # has been instantiated with the <tt>request.parameters</tt>.
871 872 873 874
    def params
      @_params ||= Parameters.new(request.parameters)
    end

875 876 877 878 879
    # Assigns the given +value+ to the +params+ hash. If +value+
    # is a Hash, this will create an ActionController::Parameters
    # object that has been instantiated with the given +value+ hash.
    def params=(value)
      @_params = value.is_a?(Hash) ? Parameters.new(value) : value
880 881 882
    end
  end
end