在什么情况下我们应该将类构造函数私有

2022-08-30 12:37:27

可能的重复:
在 PHP5 类中,何时调用私有构造函数?

我最近一直在阅读有关OOP的信息,并遇到了这个私有构造函数场景。我做了一个谷歌搜索,但找不到任何与PHP相关的内容。

在 PHP 中

  • 我们什么时候必须定义私有构造函数?
  • 使用私有构造函数的目的是什么?
  • 使用私有构造函数的优缺点是什么?

答案 1

在以下几种情况下,您可能希望将构造函数设为私有。常见的原因是,在某些情况下,您不希望外部代码直接调用构造函数,而是强制它使用其他方法来获取类的实例。

单例模式

您只希望类的单个实例存在:

class Singleton
{
    private static $instance = null;

    private function __construct()
    {
    }

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

        return self::$instance;
    }
}

工厂方法

您希望提供几种方法来创建类的实例,和/或想要控制实例的创建方式,因为需要一些构造函数的内部知识才能正确调用它:

class Decimal
{
    private $value; // constraint: a non-empty string of digits
    private $scale; // constraint: an integer >= 0

    private function __construct($value, $scale = 0)
    {
        // Value and scale are expected to be validated here.
        // Because the constructor is private, it can only be called from within the class,
        // so we can avoid to perform validation at this step, and just trust the caller.

        $this->value = $value;
        $this->scale = $scale;
    }

    public static function zero()
    {
        return new self('0');
    }

    public static function fromString($string)
    {
        // Perform sanity checks on the string, and compute the value & scale

        // ...

        return new self($value, $scale);
    }
}

来自砖块/数学BigDecimal实现的简化示例


答案 2

我们什么时候必须定义私有构造函数?

class smt 
{
    private static $instance;
    private function __construct() {
    }
    public static function get_instance() {
        {
            if (! self::$instance)
                self::$instance = new smt();
            return self::$instance;
        }
    }
}

使用私有构造函数的目的是什么?

它确保一个类只能有一个实例,并提供该实例的全局访问点,这在单例模式中很常见。

使用私有构造函数的优缺点是什么?


推荐