cookie.php 1.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475
  1. <?php namespace System;
  2. class Cookie {
  3. /**
  4. * Determine if a cookie exists.
  5. *
  6. * @param string $name
  7. * @return bool
  8. */
  9. public static function has($name)
  10. {
  11. return ! is_null(static::get($name));
  12. }
  13. /**
  14. * Get the value of a cookie.
  15. *
  16. * @param string $name
  17. * @param mixed $default
  18. * @return string
  19. */
  20. public static function get($name, $default = null)
  21. {
  22. return Arr::get($_COOKIE, $name, $default);
  23. }
  24. /**
  25. * Set a "permanent" cookie. The cookie will last 5 years.
  26. *
  27. * @param string $name
  28. * @param string $value
  29. * @param string $path
  30. * @param string $domain
  31. * @param bool $secure
  32. * @param bool $http_only
  33. * @return bool
  34. */
  35. public static function forever($name, $value, $path = '/', $domain = null, $secure = false, $http_only = false)
  36. {
  37. return static::put($name, $value, 2628000, $path, $domain, $secure, $http_only);
  38. }
  39. /**
  40. * Set the value of a cookie. If a negative number of minutes is
  41. * specified, the cookie will be deleted.
  42. *
  43. * @param string $name
  44. * @param string $value
  45. * @param int $minutes
  46. * @param string $path
  47. * @param string $domain
  48. * @param bool $secure
  49. * @param bool $http_only
  50. * @return bool
  51. */
  52. public static function put($name, $value, $minutes = 0, $path = '/', $domain = null, $secure = false, $http_only = false)
  53. {
  54. if ($minutes < 0) unset($_COOKIE[$name]);
  55. return setcookie($name, $value, ($minutes != 0) ? time() + ($minutes * 60) : 0, $path, $domain, $secure, $http_only);
  56. }
  57. /**
  58. * Delete a cookie.
  59. *
  60. * @param string $name
  61. * @return bool
  62. */
  63. public static function forget($name)
  64. {
  65. return static::put($name, null, -60);
  66. }
  67. }