在 PHP 中扩展单例

2022-08-30 15:29:19

我在一个Web应用程序框架中工作,其中一部分由许多服务组成,所有这些都是作为单例实现的。它们都扩展了一个服务类,其中实现了单例行为,如下所示:

class Service {
    protected static $instance;

    public function Service() {
        if (isset(self::$instance)) {
            throw new Exception('Please use Service::getInstance.');
        }
    }

    public static function &getInstance() {
        if (empty(self::$instance)) {
            self::$instance = new self();
        }
        return self::$instance;
    }
}

现在,如果我有一个名为FileService的类,实现如下:

class FileService extends Service {
    // Lots of neat stuff in here
}

...调用 FileService::getInstance() 不会生成 FileService 实例,就像我想要的那样,而是一个服务实例。我假设这里的问题是服务构造函数中使用的“self”关键字。

有没有其他方法可以在这里实现我想要的?单例代码只有几行,但我仍然希望尽可能避免任何代码冗余。


答案 1

法典:

abstract class Singleton
{
    protected function __construct()
    {
    }

    final public static function getInstance()
    {
        static $instances = array();

        $calledClass = get_called_class();

        if (!isset($instances[$calledClass]))
        {
            $instances[$calledClass] = new $calledClass();
        }

        return $instances[$calledClass];
    }

    final private function __clone()
    {
    }
}

class FileService extends Singleton
{
    // Lots of neat stuff in here
}

$fs = FileService::getInstance();

如果您使用 PHP < 5.3,请同时添加以下内容:

// get_called_class() is only in PHP >= 5.3.
if (!function_exists('get_called_class'))
{
    function get_called_class()
    {
        $bt = debug_backtrace();
        $l = 0;
        do
        {
            $l++;
            $lines = file($bt[$l]['file']);
            $callerLine = $lines[$bt[$l]['line']-1];
            preg_match('/([a-zA-Z0-9\_]+)::'.$bt[$l]['function'].'/', $callerLine, $matches);
        } while ($matches[1] === 'parent' && $matches[1]);

        return $matches[1];
    }
}

答案 2

如果我在5.3课程中更加注意,我就会知道如何自己解决这个问题。使用PHP 5.3新的后期静态绑定功能,我相信Coronatus的命题可以简化为:

class Singleton {
    protected static $instance;

    protected function __construct() { }

    final public static function getInstance() {
        if (!isset(static::$instance)) {
            static::$instance = new static();
        }

        return static::$instance;
    }

    final private function __clone() { }
}

我试过了,它就像一个魅力。不过,Pre 5.3仍然是一个完全不同的故事。


推荐