auth.php 1.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889
  1. <?php namespace System;
  2. if (Config::get('session.driver') == '')
  3. {
  4. throw new \Exception("You must specify a session driver before using the Auth class.");
  5. }
  6. class Auth {
  7. /**
  8. * The current user of the application.
  9. *
  10. * @var object
  11. */
  12. public static $user;
  13. /**
  14. * The key used to store the user ID in the session.
  15. *
  16. * @var string
  17. */
  18. private static $key = 'laravel_user_id';
  19. /**
  20. * Determine if the current user of the application is authenticated.
  21. *
  22. * @return bool
  23. */
  24. public static function check()
  25. {
  26. return ( ! is_null(static::user()));
  27. }
  28. /**
  29. * Get the current user of the application.
  30. *
  31. * The user will be loaded using the user ID stored in the session.
  32. *
  33. * @return object
  34. */
  35. public static function user()
  36. {
  37. if (is_null(static::$user) and Session::has(static::$key))
  38. {
  39. static::$user = call_user_func(Config::get('auth.by_id'), Session::get(static::$key));
  40. }
  41. return static::$user;
  42. }
  43. /**
  44. * Attempt to login a user.
  45. *
  46. * If the user credentials are valid. The user ID will be stored in the session
  47. * and will be considered "logged in" on subsequent requests to the application.
  48. *
  49. * @param string $username
  50. * @param string $password
  51. */
  52. public static function login($username, $password)
  53. {
  54. if ( ! is_null($user = call_user_func(Config::get('auth.by_username'), $username)))
  55. {
  56. if (Hash::check($password, $user->password))
  57. {
  58. static::$user = $user;
  59. Session::put(static::$key, $user->id);
  60. return true;
  61. }
  62. }
  63. return false;
  64. }
  65. /**
  66. * Logout the user of the application.
  67. *
  68. * @return void
  69. */
  70. public static function logout()
  71. {
  72. Session::forget(static::$key);
  73. static::$user = null;
  74. }
  75. }