1

我如何访问此语句中的第二个属性或方法

$this->test->hello();

在我的__get()我只能弄清楚如何弄清楚test属性是什么。我还希望能够捕获“hello”方法调用。并用它做一些动态的事情。

所以简而言之,如果我输入

$this->test->hello()

我要echo每个段

echo $propert // test
echo $method //hello

问题是我的测试被用来从外部类实例化一个新的类对象。该方法hello属于test类对象。

我想在我的__get().

我怎样才能做到这一点?

编辑:

public function __get($name)
        {
            if ($name == 'system' || $name == 'sys') {

                $_class = 'System_Helper';

            } else {

                foreach (get_object_vars($this) as $_property => $_value) {

                    if ($name == $_property)
                        $_class = $name;
                }
            }

            $classname = '\\System\\' . ucfirst($_class);
            $this->$_class = new $classname();

            //$rClass = new \ReflectionClass($this->$_class);
            $rClass = get_class_methods($this->$_class);
            foreach($rClass as $k => $v)
            echo $v."\n";
            //print_r($rClass);

            return $this->$_class;
4

3 回答 3

1

看来您正在追求某种代理课程,这可能适合您的需求。

class ObjectProxy {
    public $object;

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

    public function __get($name) {
        if (!property_exists($this->object, $name)) {
            return "Error: property ($name) does not exist";
        }
        return $this->object->$name;
    }

    public function __call($name, $args) {
        if (!method_exists($this->object, $name)) {
            return "Error: method ($name) does not exist";
        }
        return call_user_func_array(array($this->object, $name), $args);
    }
}

class A {
    public $prop = 'Some prop';

    public function hello() {
        return 'Hello, world!';
    }
}

class B {
    public function __get($name) {
        if (!isset($this->$name)) {
            $class_name = ucfirst($name);
            $this->$name = new ObjectProxy(new $class_name);
        }
        return $this->$name;
    }
}
$b = new B();
var_dump($b->a->hello());
var_dump($b->a->prop);
var_dump($b->a->foo);
var_dump($b->a->bar());

输出:

string 'Hello, world!' (length=13)
string 'Some prop' (length=9)
string 'Error: property (foo) does not exist' (length=36)
string 'Error: method (bar) does not exist' (length=34)

例子:

http://ideone.com/dMna6

它可以很容易地扩展到其他魔术方法,如__set, __callStatic, __isset,__invoke等。

于 2012-05-02T00:35:58.963 回答
0

我认为您想使用__call而不是__get. 另外,不要。

于 2012-05-02T00:22:10.243 回答
0

您实例化的对象$this将使用__get魔术方法创建对象(作为属性)test。存储的对象$this->test需要实现__call魔术方法才能使用hello(),如果它没有定义

于 2012-05-02T00:30:50.230 回答