Created
November 9, 2011 21:32
-
-
Save robcthegeek/1353123 to your computer and use it in GitHub Desktop.
"Standard" User Model Using Mongoid/BCrypt
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
require 'bcrypt' | |
class User | |
include Mongoid::Document | |
include Mongoid::Timestamps | |
include BCrypt | |
attr_accessor :password, :password_confirmation | |
attr_protected :password_hash | |
field :email, :type => String | |
field :password_hash, :type => String | |
field :accept_terms, :type => Boolean | |
validates_presence_of :email, :message => "Email Address is Required." | |
validates_uniqueness_of :email, :message => "Email Address Already In Use. Have You Forgot Your Password?" | |
validates_format_of :email, :with => /^[-a-z0-9_+\.]+\@([-a-z0-9]+\.)+[a-z0-9]{2,4}$/i, :message => "Please Enter a Valid Email Address." | |
validates_acceptance_of :accept_terms, :allow_nil => false, :accept => true, :message => "Terms and Conditions Must Be Accepted." | |
validates_length_of :password, :minimum => 8, :message => "Password Must Be Longer Than 8 Characters." | |
validates_confirmation_of :password, :message => "Password Confirmation Must Match Given Password." | |
before_save :encrypt_password | |
def self.find_by_email(email) | |
first(conditions: { email: email }) | |
end | |
def self.authenticate(email, password) | |
if password_correct?(email, password) | |
# Success! | |
true | |
else | |
# Failed! :( | |
false | |
end | |
end | |
def self.password_correct?(user_email, password) | |
user = find_by_email user_email | |
return if user.nil? | |
user_pass = Password.new(user.password_hash) | |
user_pass == password | |
end | |
protected | |
def encrypt_password | |
self.password_hash = Password.create(@password) | |
end | |
end |
def self.password_correct?(user_email, password)
user = find_by_email user_email
return if user.nil?
user_pass = Password.new(user.password_hash)
user_pass == password
end
Does Password.new
decrypte a hash? or it should be like this:
user_pass_hash = Password.new(password)
user_pass_hash == user.password_hash
@crazyjin it creates a new BCrypt object so it can be used for comparison on the next line. BCrypt overrides de '==' method so you can do
user_pass_hash == user.password_hash
Note that the opposite won't work, ie: user.password_hash == user_pass_hash
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
@aq1018 ain't nothing wrong with that - me too :)