3

私は2つのクラス、つまりfooとBarを持っています

class bar extends foo
{

    public $element = null;

    public function __construct()
    {
    }
}

クラス foo は次のようになります

class foo implements ArrayAccess
{

    private $data = [];
    private $elementId = null;

    public function __call($functionName, $arguments)
    {
        if ($this->elementId !== null) {
            echo "Function $functionName called with arguments " . print_r($arguments, true);
        }
        return true;
    }

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

    public function offsetSet($offset, $value)
    {
        if (is_null($offset)) {
            $this->data[] = $value;
        } else {
            $this->data[$offset] = $value;
        }
    }

    public function offsetExists($offset)
    {
        return isset($this->data[$offset]);
    }

    public function offsetUnset($offset)
    {
        if ($this->offsetExists($offset)) {
            unset($this->data[$offset]);
        }
    }

    public function offsetGet($offset)
    {
        if (!$this->offsetExists($offset)) {
            $this->$offset = new foo($offset);
        }
    }
} 

以下のコードを実行するときにそれが必要です:

$a = new bar();
$a['saysomething']->sayHello('Hello Said!');

関数 sayHelloを返す必要があります 引数を指定して呼び出されます Hello Said! foo の __call マジック メソッドから。

ここで言いたいのは、foo の__construct関数から$this->elementIdでsaysomethingを渡す必要があり、 sayHelloをメソッドとして取得し、Hello Saidを__call マジック メソッドからレンダリングされる sayHello 関数のパラメーターとして取得する必要があるということです。

また、次のようなメソッドをチェーンする必要があります。

$a['saysomething']->sayHello('Hello Said!')->sayBye('Good Bye!');
4

1 に答える 1

2

私が間違っていなければfoo::offsetGet()、これに変更する必要があります:

public function offsetGet($offset)
{
    if (!$this->offsetExists($offset)) {
        return new self($this->elementId);
    } else {
        return $this->data[$offset];
    }
}

指定されたオフセットに要素がない場合は、それ自体のインスタンスを返します。

foo::__construct()はいえ、 からも呼び出して、bar::__construct()以外の値を渡す必要がありますnull

class bar extends foo
{

    public $element = null;

    public function __construct()
    {
        parent::__construct(42);
    }
}

アップデート

呼び出しを連鎖させるには、インスタンスを から返す必要があります__call()

public function __call($functionName, $arguments)
{
    if ($this->elementId !== null) {
        echo "Function $functionName called with arguments " . print_r($arguments, true);
    }
    return $this;
}
于 2014-02-17T10:07:17.530 に答える