file.php 1.2 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768
  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))
  30. {
  31. $this->forget($key);
  32. return null;
  33. }
  34. return unserialize(substr($cache, 10));
  35. }
  36. /**
  37. * Write an item to the cache.
  38. *
  39. * @param string $key
  40. * @param mixed $value
  41. * @param int $minutes
  42. * @return void
  43. */
  44. public function put($key, $value, $minutes)
  45. {
  46. file_put_contents(CACHE_PATH.$key, (time() + ($minutes * 60)).serialize($value), LOCK_EX);
  47. }
  48. /**
  49. * Delete an item from the cache.
  50. *
  51. * @param string $key
  52. * @return void
  53. */
  54. public function forget($key)
  55. {
  56. @unlink(CACHE_PATH.$key);
  57. }
  58. }