1

データベースにユーザーテーブルがあり、作成時にユーザーごとにランダムなパスワードを生成して、そのパスワードを電子メールアドレスに送信します。ランダムパスワードをどのように割り当てるのか疑問に思いました。

私の見解では、次のようになっています。

<p>
    <div id="p1"><%= t('.username')%></div>
    <%= f.text_field :username %>
</p>
<p>
    <div id="p1"><%= t('.email')%></div>
    <%= f.text_field :email %>
</p>
<p class="button"><%= f.submit 'Create Account' %></p>

私のコントローラーでは次のようになります。

def create
 @user = User.new(params[:user])
 respond_to do |format|
   if @user.save
    Notifier.user_created(@user).deliver
       format.html { redirect_to @user, notice: 'User was successfully created.' }
       format.json { render json: @user, status: :created, location: @user }
    else
       format.html { render action: "new" }
       format.json { render json: @user.errors, status::unprocessable_entity }
    end
  end
end

そして、私のユーザーモデルには次のものがあります。

attr_accessor :password
before_save :encrypt_password

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

def self.random_string(len)
    #generate a random password consisting of strings and digits
    chars = ("a".."z").to_a + ("A".."Z").to_a + ("0".."9").to_a password = ""
    1.upto(len) { |i| password << chars[rand(chars.size-1)]}
    return password
end

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

if password.presentを削除する必要がありますか?行は存在しませんが、ランダムな文字列コードがあるため、ハッシュ/ソルトに割り当てる必要があります。

4

2 に答える 2

2
def create
 @user = User.new(params[:user])
 @user.password = User.random_string(10) #set it with the size of the password you want
 respond_to do |format|
   if @user.save
    Notifier.user_created(@user).deliver
       format.html { redirect_to @user, notice: 'User was successfully created.' }
       format.json { render json: @user, status: :created, location: @user }
    else
       format.html { render action: "new" }
       format.json { render json: @user.errors, status::unprocessable_entity }
    end
  end
end

楽しんで!

于 2012-03-14T17:35:24.500 に答える
1

私はあなたがあなたのencrypt_passwordを変更することができると思います;)

before_save :encrypt_password

def encrypt_password
    self.password = User.random_string(X) unless password.present?
    self.password_salt = BCrypt::Engine.generate_salt
    self.password_hash = BCrypt::Engine.hash_secret(password, password_salt)
end

編集:作成時にのみパスワードを暗号化する場合は、「before_save」の代わりに「before_create」を使用できます

于 2012-03-14T16:40:59.933 に答える