memcached.php 1.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778
  1. <?php namespace Laravel;
  2. class Memcached {
  3. /**
  4. * The Memcached connection instance.
  5. *
  6. * @var Memcache
  7. */
  8. protected static $instance;
  9. /**
  10. * Get the Memcached connection instance.
  11. *
  12. * This connection will be managed as a singleton instance so that only
  13. * one connection to the Memcached severs will be established.
  14. *
  15. * @return Memcache
  16. */
  17. public static function instance()
  18. {
  19. if (is_null(static::$instance))
  20. {
  21. static::$instance = static::connect(Config::get('cache.memcached'));
  22. }
  23. return static::$instance;
  24. }
  25. /**
  26. * Create a new Memcached connection instance.
  27. *
  28. * The configuration array passed to this method should be an array of
  29. * server hosts / ports, like those defined in the cache configuration
  30. * file.
  31. *
  32. * <code>
  33. * // Create a new localhost Memcached connection instance.
  34. * $memcache = Memcached::connect(array('host' => '127.0.0.1', 'port' => 11211));
  35. * </code>
  36. *
  37. * @param array $servers
  38. * @return Memcache
  39. */
  40. public static function connect($servers)
  41. {
  42. $memcache = new \Memcache;
  43. foreach ($servers as $server)
  44. {
  45. $memcache->addServer($server['host'], $server['port'], true, $server['weight']);
  46. }
  47. if ($memcache->getVersion() === false)
  48. {
  49. throw new \RuntimeException('Could not establish memcached connection.');
  50. }
  51. return $memcache;
  52. }
  53. /**
  54. * Dynamically pass all other method calls to the Memcache instance.
  55. *
  56. * <code>
  57. * // Get an item from the Memcache instance
  58. * $name = Memcached::get('name');
  59. *
  60. * // Store data on the Memcache server
  61. * Memcached::set('name', 'Taylor');
  62. * </code>
  63. */
  64. public static function __callStatic($method, $parameters)
  65. {
  66. return call_user_func_array(array(static::instance(), $method), $parameters);
  67. }
  68. }