Hashing

Introduction

The Laravel Hash facade provides secure Bcrypt hashing for storing user passwords. If you are using the built-in LoginController and RegisterController classes that are included with your Laravel application, they will automatically use Bcrypt for registration and authentication.

{tip} Bcrypt is a great choice for hashing passwords because its "work factor" is adjustable, which means that the time it takes to generate a hash can be increased as hardware power increases.

Basic Usage

You may hash a password by calling the make method on the Hash facade:

  1. <?php
  2. namespace App\Http\Controllers;
  3. use Illuminate\Http\Request;
  4. use Illuminate\Support\Facades\Hash;
  5. use App\Http\Controllers\Controller;
  6. class UpdatePasswordController extends Controller
  7. {
  8. /**
  9. * Update the password for the user.
  10. *
  11. * @param Request $request
  12. * @return Response
  13. */
  14. public function update(Request $request)
  15. {
  16. // Validate the new password length...
  17. $request->user()->fill([
  18. 'password' => Hash::make($request->newPassword)
  19. ])->save();
  20. }
  21. }

Verifying A Password Against A Hash

The check method allows you to verify that a given plain-text string corresponds to a given hash. However, if you are using the LoginController included with Laravel, you will probably not need to use this directly, as this controller automatically calls this method:

  1. if (Hash::check('plain-text', $hashedPassword)) {
  2. // The passwords match...
  3. }

Checking If A Password Needs To Be Rehashed

The needsRehash function allows you to determine if the work factor used by the hasher has changed since the password was hashed:

  1. if (Hash::needsRehash($hashed)) {
  2. $hashed = Hash::make('plain-text');
  3. }