可能重复:
In a PHP5 class, when does a private constructor get called?
我最近一直在阅读有关OOP的内容,并遇到了这个私有构造函数的情况。我做了Google搜索,但找不到与PHP相关的任何内容。
在PHP中
答案 0 :(得分:35)
在某些情况下,您可能希望将构造函数设为私有。常见的原因是,在某些情况下,您不希望外部代码直接调用构造函数,而是强制它使用其他方法来获取类的实例。
您只需要存在一个类的单个实例:
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);
}
}
的brick/math实施的简化示例
答案 1 :(得分:30)
我们何时需要定义私有构造函数?
class smt
{
private static $instance;
private function __construct() {
}
public static function get_instance() {
{
if (! self::$instance)
self::$instance = new smt();
return self::$instance;
}
}
}
使用私有构造函数的目的是什么?
它确保只有一个Class的实例并为该实例提供一个全局访问点,这在Singleton模式中很常见。
有什么优点和优点;使用私有构造函数的缺点?
答案 2 :(得分:4)
私有构造函数主要用于Singleton pattern,您不希望直接实例化您的类,但您希望通过其getInstance()
方法访问它。
通过这种方式,您确信没有人可以在课堂外调用__construct()
。
答案 3 :(得分:2)
私有构造函数用于两个条件
getInstance()
函数使用工厂功能生成对象时 在这种情况下,将有多个对象,但该对象将由静态函数创建,例如
$ token = Token :: generate();
这将生成一个新的Token对象。
答案 4 :(得分:1)
私有构造函数在这里大部分时间实现单例模式,或者如果你想强制工厂。 当您想要确保只有一个对象实例时,此模式很有用。 它实现如下:
class SingletonClass{
private static $instance=null;
private function __construct(){}
public static function getInstance(){
if(self::$instance === null){
self::$instance = new self;
}
return self::$instance;
}