我在Ruby中有这个模型,但它抛出ActiveModel::ForbiddenAttributesError

class User < ActiveRecord::Base
  attr_accessor :password
  validates :username, :presence => true, :uniqueness => true, :length => {:in => 3..20}
  VALID_EMAIL_REGEX = /\A[\w+\-.]+@[a-z\d\-.]+\.[a-z]+\z/i
  validates :email, presence: true, :uniqueness => true, format: { with: VALID_EMAIL_REGEX }

  validates :password, :confirmation => true
  validates_length_of :password, :in => 6..20, :on => :create

  before_save :encrypt_password
  after_save :clear_password

  def encrypt_password
    if password.present?
      self.salt = BCrypt::Engine.generate_salt
      self.encrypted_password= BCrypt::Engine.hash_secret(password, salt)
    end
  end

  def clear_password
    self.password = nil
  end
end

当我运行这个动作时

  def create
    @user = User.new(params[:user])
    if @user.save
      flash[:notice] = "You Signed up successfully"
      flash[:color]= "valid"
    else
      flash[:notice] = "Form is invalid"
      flash[:color]= "invalid"
    end
    render "new"
  end

在ruby 1.9.3p194 (2012-04-20 revision 35410) [x86_64-linux]上。

你能告诉我如何消除这个错误或者建立一个正确的用户登记表吗?


当前回答

另一个原因是您通过一个方法重写了permitted_params。例如

def permitted_params
   params.permit(:email, :password)
end

其他回答

如果使用ActiveAdmin,不要忘记在模型寄存器块中也有一个permit_params:

ActiveAdmin.register Api::V1::Person do
  permit_params :name, :address, :etc
end

这些需要与控制器中的设置一起设置:

def api_v1_person_params
  params.require(:api_v1_person).permit(:name, :address, :etc)
end

否则你会得到错误:

ActiveModel::ForbiddenAttributesError

对于使用CanCan的人。如果使用CanCan和Rails 4+,人们可能会遇到这种情况。在CanCan更新之前,请尝试AntonTrapps相当干净的解决方案:

在ApplicationController中:

before_filter do
  resource = controller_name.singularize.to_sym
  method = "#{resource}_params"
  params[resource] &&= send(method) if respond_to?(method, true)
end

在资源控制器中(例如NoteController):

private
def note_params
  params.require(:note).permit(:what, :ever)
end

更新:

下面是CanCan的一个后续项目,叫做canancan,看起来很有前途:

灿灿

另一个原因是您通过一个方法重写了permitted_params。例如

def permitted_params
   params.permit(:email, :password)
end

或者你也可以使用Protected Attributes宝石,但是这违背了要求强参数的目的。然而,如果你正在升级一个旧的应用程序,Protected Attributes确实提供了一个简单的升级途径,直到你可以将attr_accessible重构为强参数。

有一种更简单的方法来避免强参数,你只需要将参数转换为常规散列,如下所示:

unlocked_params = ActiveSupport::HashWithIndifferentAccess.new(params)

model.create!(unlocked_params)

当然,这违背了强参数的目的,但如果您处于像我这样的情况(我在系统的另一部分中对允许的参数进行自己的管理),这将完成工作。