用于返回 NULL 的 PHP 构造函数

2022-08-30 10:25:02

我有这个代码。对象构造函数是否有可能以某种方式失败,以便为该构造函数赋值并在构造函数返回后释放该对象?User$this->LoggedUserNULL

$this->LoggedUser = NULL;
if ($_SESSION['verbiste_user'] != false)
  $this->LoggedUser = new User($_SESSION['verbiste_user']);    

答案 1

假设您使用的是 PHP 5,则可以在构造函数中引发异常:

class NotFoundException extends Exception {}

class User {
    public function __construct($id) {
        if (!$this->loadById($id)) {
             throw new NotFoundException();
        }
    }
}

$this->LoggedUser = NULL;
if ($_SESSION['verbiste_user'] != false) {
    try {
        $this->LoggedUser = new User($_SESSION['verbiste_user']);
    } catch (NotFoundException $e) {}
}

为清楚起见,您可以将它包装在静态工厂方法中:

class User {
    public static function load($id) {
        try {
            return new User($id);
        } catch (NotFoundException $unfe) {
            return null;
        }
    }
    // class body here...
}

$this->LoggedUser = NULL;
if ($_SESSION['verbiste_user'] != false)
    $this->LoggedUser = User::load($_SESSION['verbiste_user']);

顺便说一句,PHP 4的某些版本允许您在构造函数中将$this设置为NULL,但我认为从未得到官方批准,并且“功能”最终被删除。


答案 2

AFAIK 无法完成此操作,将始终返回对象的实例。new

我通常做的是解决这个问题:

  • 向对象添加一个布尔标志,用于确定对象是否已成功加载。然后,构造函数将设置标志->valid

  • 创建一个包装器函数,该函数执行命令,在成功时返回新对象,或在失败时返回新对象,这会将其销毁并返回newfalse

-

function get_car($model)
      {
        $car = new Car($model);
        if ($car->valid === true) return $car; else return false;
     } 

我很想听听其他方法,但我不知道。


推荐