hash.php 1.8 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364
  1. <?php namespace Laravel\Security; use Laravel\Str;
  2. class Hash {
  3. /**
  4. * Hash a password using the Bcrypt hashing scheme.
  5. *
  6. * Bcrypt provides a future-proof hashing algorithm by allowing the
  7. * number of "rounds" to be increased, thus increasing the time it
  8. * takes to generate the hashed value. The longer it takes takes
  9. * to generate the hash, the more impractical a rainbow table
  10. * attack against the hashes becomes.
  11. *
  12. * <code>
  13. * // Create a Bcrypt hash of a value
  14. * $hash = Hash::make('secret');
  15. *
  16. * // Use a specified number of iterations when creating the hash
  17. * $hash = Hash::make('secret', 12);
  18. * </code>
  19. *
  20. * @param string $value
  21. * @param int $rounds
  22. * @return string
  23. */
  24. public static function make($value, $rounds = 8)
  25. {
  26. return crypt($value, '$2a$'.str_pad($rounds, 2, '0', STR_PAD_LEFT).'$'.static::salt());
  27. }
  28. /**
  29. * Determine if an unhashed value matches a given Bcrypt hash.
  30. *
  31. * @param string $value
  32. * @param string $hash
  33. * @return bool
  34. */
  35. public static function check($value, $hash)
  36. {
  37. return crypt($value, $hash) === $hash;
  38. }
  39. /**
  40. * Get a salt for use during Bcrypt hashing.
  41. *
  42. * @return string
  43. */
  44. protected static function salt()
  45. {
  46. // Bcrypt expects the salt to be 22 base64 encoded characters, including dots
  47. // and slashes. We will get rid of the plus signs included in the base64 data
  48. // and replace them with dots. OpenSSL will be used if available, since it is
  49. // more random, otherwise we will fallback on Str::random.
  50. if (function_exists('openssl_random_pseudo_bytes'))
  51. {
  52. $bytes = openssl_random_pseudo_bytes(16);
  53. return substr(strtr(base64_encode($bytes), '+', '.'), 0 , 22);
  54. }
  55. return substr(str_replace('+', '.', base64_encode(Str::random(40))), 0, 22);
  56. }
  57. }