auth.php 1.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102
  1. <?php namespace System;
  2. class Auth {
  3. /**
  4. * The current user of the application.
  5. *
  6. * @var object
  7. */
  8. public static $user;
  9. /**
  10. * The key used to store the user ID in the session.
  11. *
  12. * @var string
  13. */
  14. private static $key = 'laravel_user_id';
  15. /**
  16. * Determine if the current user of the application is authenticated.
  17. *
  18. * @return bool
  19. */
  20. public static function check()
  21. {
  22. return ( ! is_null(static::user()));
  23. }
  24. /**
  25. * Get the current user of the application.
  26. *
  27. * The user will be loaded using the user ID stored in the session.
  28. *
  29. * @return object
  30. */
  31. public static function user()
  32. {
  33. if (Config::get('session.driver') == '')
  34. {
  35. throw new \Exception("You must specify a session driver before using the Auth class.");
  36. }
  37. $model = static::model();
  38. if (is_null(static::$user) and Session::has(static::$key))
  39. {
  40. static::$user = $model::find(Session::get(static::$key));
  41. }
  42. return static::$user;
  43. }
  44. /**
  45. * Attempt to login a user.
  46. *
  47. * @param string $username
  48. * @param string $password
  49. */
  50. public static function login($username, $password)
  51. {
  52. $model = static::model();
  53. $user = $model::where(Config::get('auth.username'), '=', $username)->first();
  54. if ( ! is_null($user))
  55. {
  56. if ($user->password === Hash::make($password, $user->salt)->value)
  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 current 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. /**
  76. * Get the authentication model.
  77. *
  78. * @return string
  79. */
  80. private static function model()
  81. {
  82. return '\\'.Config::get('auth.model');
  83. }
  84. }