PHP - 构造函数不返回 false

2022-08-30 17:44:18

我怎么能让下面的变量知道foo应该是假的?$foo

class foo extends fooBase{

  private
    $stuff;

  function __construct($something = false){
    if(is_int($something)) $this->stuff = &getStuff($something);
    else $this->stuff = $GLOBALS['something'];

    if(!$this->stuff) return false;
  }

}

$foo = new foo(435);  // 435 does not exist
if(!$foo) die(); // <-- doesn't work :(

答案 1

不能从构造函数返回值。您可以使用例外

function __construct($something = false){
    if(is_int($something)) $this->stuff = &getStuff($something);
    else $this->stuff = $GLOBALS['something'];

    if (!$this->stuff) {
        throw new Exception('Foo Not Found');
    }
}

在您的实例化代码中:

try {
    $foo = new foo(435);
} catch (Exception $e) {
    // handle exception
}

您还可以扩展例外。


答案 2

构造函数不应该返回任何内容。

如果需要在使用 创建对象之前验证数据,则应使用工厂类。

编辑:是的,异常也可以解决问题,但你不应该在构造函数中有任何逻辑。这成为单元测试的一个痛苦。


推荐