1

我使用 NetBeans 作为我的 IDE。每当我有一些代码使用另一个函数(通常是工厂)来返回一个对象时,通常我可以执行以下操作来帮助提示:

/* @var $object FooClass */
$object = $someFunction->get('BarContext.FooClass');
$object-> // now will produce property and function hints for FooClass.

但是,当我使用对象的属性来存储该类时,我有点茫然如何做同样的事情,因为trying to use @var $this->foo or @var foo不会通过提示:

use Path\To\FooClass;

class Bar
{
    protected $foo;

    public function bat()
    {
        $this->foo = FactoryClass::get('Foo'); // Returns an instance of FooClass

        $this->foo //does not have hinting in IDE
    }
}

我已经在类的文档块中尝试过,或者使用上面的内联注释protected $foo或将 foo 设置为实例的位置。

到目前为止,我发现的唯一解决方法是:

public function bat()
{
    $this->foo = FactoryClass::get('Foo');

    /* @var $extraVariable FooClass */
    $extraVariable = $this->foo;

    $extraVariable-> // now has hinting.
}

不过,我真的希望提示是类范围的,因为许多其他函数可能会使用$this->foo,并且知道类的方法和属性会很有用。

当然还有更直接的方法...

4

2 回答 2

5

我不能说它在 Netbeans 中是如何工作的,但在 PHPEclipse 中,您可以将提示添加到变量本身的声明中:

use Path\To\FooClass;

class Bar
{
    /**
     * @var FooClass
     */
    protected $foo;

    public function bat()
    {
        $this->foo = FactoryClass::get('Foo'); // Returns an instance of FooClass

        $this->foo // should now have hinting
    }
}
于 2012-01-26T00:11:25.577 回答
1

给定

class Bar
{
    protected $foo;

    public function bat()
    {
        $this->foo = FactoryClass::get('Foo'); // Returns an instance of FooClass

        $this->foo //does not have hinting in IDE
    }
}

IDE 正在尝试从中获取FactoryClass::get可能没有 docblock 返回类型的声明。问题是如果这个工厂方法可以返回任意数量的类,那么除了使用您的解决方法之外,您无能为力。

否则,它不会知道这两个调用之间的区别,FactoryClass::get('Foo')或者FactoryClass::get('Bar')因为这两个调用很可能会返回不同类型的对象。

于 2012-01-26T00:17:36.287 回答