file.php 1.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. <?php namespace System\Cache;
  2. class File implements Driver {
  3. /**
  4. * Determine if an item exists in the cache.
  5. *
  6. * @param string $key
  7. * @return bool
  8. */
  9. public function has($key)
  10. {
  11. return ( ! is_null($this->get($key)));
  12. }
  13. /**
  14. * Get an item from the cache.
  15. *
  16. * @param string $key
  17. * @param mixed $default
  18. * @return mixed
  19. */
  20. public function get($key)
  21. {
  22. if ( ! file_exists(CACHE_PATH.$key))
  23. {
  24. return null;
  25. }
  26. $cache = file_get_contents(CACHE_PATH.$key);
  27. // The cache expiration date is stored as a UNIX timestamp at the beginning
  28. // of the cache file. We'll extract it out and check it here.
  29. if (time() >= substr($cache, 0, 10)) return $this->forget($key);
  30. return unserialize(substr($cache, 10));
  31. }
  32. /**
  33. * Write an item to the cache.
  34. *
  35. * @param string $key
  36. * @param mixed $value
  37. * @param int $minutes
  38. * @return void
  39. */
  40. public function put($key, $value, $minutes)
  41. {
  42. file_put_contents(CACHE_PATH.$key, (time() + ($minutes * 60)).serialize($value), LOCK_EX);
  43. }
  44. /**
  45. * Delete an item from the cache.
  46. *
  47. * @param string $key
  48. * @return void
  49. */
  50. public function forget($key)
  51. {
  52. @unlink(CACHE_PATH.$key);
  53. }
  54. }