0

我正在尝试使用 PHPStorm 在 PHP 中编写一些抽象的 MVC 类。我用于泛型类包装器的一些覆盖类属性往往更适合使用静态方法和属性。代码工作正常,但是每当我使用一个变量来表示一个静态变量(存在于继承方法中的变量)时,PHPStorm 不知道如何处理它并将其显示为 IDE 中的错误。我只是想知道是否有更好的方法来做这种事情,或者它是否只是我必须学会在 IDE 中忽略的东西。

例子:

class AbstractModel {
    protected static $_dataMapper     = null;
    protected static $_subs    = null;

    public function __construct($data=null) {
        // constructor omitted with things like a generic class init, etc.
    }

    // $_subs is a static array who's value is a class name use for
    // populating sub-objects as part of a class instance
    public function setSubProperty($subKeyName,$value) {
        $dataType = get_called_class();

        /*************************************
         * PHPStorm complains here on $_subs *
         *************************************/
        if(is_array($dataType::$_subs)
            && array_key_exists($subKeyName,$dataType::$_subs)) {

            $setMethod = 'set' . ucfirst($subKeyName);
            return $dataType->$setMethod($value);
        } else {
            return false; // or throw an exception
        }
    }
}

class SomedataModel extends AbstractModel {
    public $other = null;
    protected static $_subs = array(
        'other'   => "OtherModel"
    );

    public function __construct($data=null) {
        parent::__construct($data=null);
        foreach(array_keys(self::$_subs) as $_k) {
            $setMethod = 'set'.ucfirst($_k);
            $this->$setMethod();
        }
    }

    public function setOther($data=null) {
        // sanitize and set instance of 'other' as $this->other
    }
}
4

1 回答 1

1

static您可以通过使用关键字轻松解决此问题:

...

public function setSubProperty($subKeyName,$value) {

    if (is_array(static::$_subs)
        && array_key_exists($subKeyName, static::$_subs)) {

        $setMethod = 'set' . ucfirst($subKeyName);

        ...

PHPStorm 很好地支持它。不支持将变量字符串值作为静态成员和属性的类名解析。您可能想要打开一个功能请求(如果它尚不存在),但我怀疑它在技术上是否可行,因为它不是类型提示,而是我认为 Phpstorm 不支持的值提示。

于 2012-12-18T22:07:28.803 回答