我遵循rails cast tutorial進行用戶驗證/註冊/登錄,這顯然具有過時的使用gem保護屬性的方法。我發現有必要切換到強大的參數,並遵循this method。Rails 4 - 從受保護的屬性切換到強參數
我不得不從我的user.rb模型中刪除attr_accessible
代碼(註釋如下),並想知道是否還有其他事情我應該做,而不是僅僅在控制器中定義用戶參數。現在我沒有attr_accessible或者這是不必要的,那麼用戶的字段(email,密碼,位置)是否應該有attr_accessors?我剛接觸rails,並沒有完全理解用戶認證的正確必要性。
user.rb
class User < ActiveRecord::Base
#attr_accessible :email, :password, :password_confirmation, :location
attr_accessor :password, :location
before_save :encrypt_password
validates_confirmation_of :password
validates_presence_of :password, :on => :create
validates_presence_of :email
validates_uniqueness_of :email
def self.authenticate(email, password)
user = find_by_email(email)
if user && user.password_hash == BCrypt::Engine.hash_secret(password, user.password_salt)
user
else
nil
end
end
def encrypt_password
if password.present?
self.password_salt = BCrypt::Engine.generate_salt
self.password_hash = BCrypt::Engine.hash_secret(password, password_salt)
end
end
end
user_controller.rb
class UsersController < ApplicationController
def new
@user = User.new
end
def create
@user = User.new(user_params)
if @user.save
redirect_to root_url, :notice => "Signed up!"
else
render "new"
end
end
#add thing from https://stackoverflow.com/a/19130224/2739431
private
def user_params
params.require(:user).permit(:email, :password, :password_confirmation, :location)
end
end
「所以你的問題實際上是你是否需要訪問這些屬性,在模型之外。」但ActiveRecord自動爲數據庫字段生成訪問器,因此「您是否需要訪問模型外的那些屬性」並不是真正的問題,因爲訪問器已經存在。 –
你是對的。但是你說過數據庫字段,它們可能不是字段,而不是實例變量。確實存在差異,但我試圖變得更加通用,以便將來人們不會混淆這兩件事情。 –