cookie.php 1.7 KB

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