93

我更新了我的类定义以利用新引入的属性类型提示,如下所示:

class Foo {

    private int $id;
    private ?string $val;
    private DateTimeInterface $createdAt;
    private ?DateTimeInterface $updatedAt;

    public function __construct(int $id) {
        $this->id = $id;
    }


    public function getId(): int { return $this->id; }
    public function getVal(): ?string { return $this->val; }
    public function getCreatedAt(): ?DateTimeInterface { return $this->createdAt; }
    public function getUpdatedAt(): ?DateTimeInterface { return $this->updatedAt; }

    public function setVal(?string $val) { $this->val = $val; }
    public function setCreatedAt(DateTimeInterface $date) { $this->createdAt = $date; }
    public function setUpdatedAt(DateTimeInterface $date) { $this->updatedAt = $date; }
}

但是,当试图将我的实体保存在 Doctrine 上时,我收到一条错误消息:

在初始化之前不能访问类型化的属性

这不仅发生在$idor$createdAt上,而且也发生在$valueor$updatedAt上,它们是可为空的属性。

4

2 回答 2

148

由于 PHP 7.4 为属性引入了类型提示,因此为所有属性提供有效值尤为重要,这样所有属性的值都与其声明的类型相匹配。

从未分配过的属性没有null值,但它处于一个undefined状态,它永远不会匹配任何声明的类型undefined !== null.

对于上面的代码,如果你这样做了:

$f = new Foo(1);
$f->getVal();

你会得到:

致命错误:未捕获的错误:在初始化之前不得访问类型化属性 Foo::$val

因为$val既不是string也不是null在访问它时。

解决此问题的方法是将值分配给与声明类型匹配的所有属性。您可以将其作为属性的默认值或在构造期间执行此操作,具体取决于您的偏好和属性的类型。

例如,对于上述一个可以这样做:

class Foo {

    private int $id;
    private ?string $val = null; // <-- declaring default null value for the property
    private Collection $collection;
    private DateTimeInterface $createdAt;
    private ?DateTimeInterface $updatedAt;

    public function __construct(int $id) {
        // and on the constructor we set the default values for all the other 
        // properties, so now the instance is on a valid state
        $this->id = $id;
        $this->createdAt = new DateTimeImmutable();
        $this->updatedAt = new DateTimeImmutable();

        $this->collection = new ArrayCollection();
    }

现在所有属性都将具有有效值,并且实例将处于有效状态。

当您依赖来自数据库的值来获取实体值时,这种情况尤其容易发生。例如自动生成的 ID,或创建和/或更新的值;这通常是数据库关注的问题。

对于自动生成的 ID,推荐的方法是将类型声明更改为:

private ?int $id = null

对于所有其余的,只需为属性类型选择一个适当的值。

于 2019-12-10T10:55:29.057 回答
23

对于可为空的类型属性,您需要使用语法

private ?string $val = null;

否则会引发致命错误。

由于这个概念会导致不必要的致命错误,我创建了一个错误报告https://bugs.php.net/bug.php?id=79620 - 没有成功,但至少我尝试过......

于 2020-05-22T12:10:09.673 回答