在子类PHP的魔术方法__call(PHP's magic method __call on

2019-08-17 12:16发布

我的情况是最好的一段代码描述:

class Foo {
    function bar () {
        echo "called Foo::bar()";
    }
}

class SubFoo extends Foo {
    function __call($func) {
        if ($func == "bar") {
            echo "intercepted bar()!";
        }
    }
}

$subFoo = new SubFoo();

// what actually happens:
$subFoo->bar();    // "called Foo:bar()"

// what would be nice:
$subFoo->bar();    // "intercepted bar()!"

我知道我能得到这个重新定义工作bar()在子类(和所有其他相关的方法),但对于我而言,这将会是很好,如果__call函数可以处理它们。 它会只是让事情变得更整洁,更易于管理。

这是可能的PHP?

Answer 1:

__call()作为写入时的功能没有找到,否则让你的例子只是调用,是不可能的。



Answer 2:

它不能直接做,但是这是一个可能的选择:

class SubFoo { // does not extend
    function __construct() {
        $this->__foo = new Foo; // sub-object instead
    }
    function __call($func, $args) {
        echo "intercepted $func()!\n";
        call_user_func_array(array($this->__foo, $func), $args);
    }
}

这种事情是很好的调试和测试,但要避免__call()和朋友尽可能在生产代码,因为它们不是非常有效。



Answer 3:

有一两件事你可以尝试是设置功能范围,私有或保护。 当一个私有函数是从类的外部称之为调用__call魔术方法,你可以利用它。



Answer 4:

如果您需要添加一些额外的父栏(),这会是可行的?

class SubFoo extends Foo {
    function bar() {
        // Do something else first
        parent::bar();
    }
}

或者这只是出于好奇一个问题吗?



Answer 5:

你可以做的有同样的效果如下:

    <?php

class hooked{

    public $value;

    function __construct(){
        $this->value = "your function";
    }

    // Only called when function does not exist.
    function __call($name, $arguments){

        $reroute = array(
            "rerouted" => "hooked_function"
        );

        // Set the prefix to whatever you like available in function names.
        $prefix = "_";

        // Remove the prefix and check wether the function exists.
        $function_name = substr($name, strlen($prefix));

        if(method_exists($this, $function_name)){

            // Handle prefix methods.
            call_user_func_array(array($this, $function_name), $arguments);

        }elseif(array_key_exists($name, $reroute)){

            if(method_exists($this, $reroute[$name])){

                call_user_func_array(array($this, $reroute[$name]), $arguments);

            }else{
                throw new Exception("Function <strong>{$reroute[$name]}</strong> does not exist.\n");
            }

        }else{
            throw new Exception("Function <strong>$name</strong> does not exist.\n");
        }

    }

    function hooked_function($one = "", $two = ""){

        echo "{$this->value} $one $two";

    }

}

$hooked = new hooked();

$hooked->_hooked_function("is", "hooked. ");
// Echo's: "your function is hooked."
$hooked->rerouted("is", "rerouted.");
// Echo's: "our function is rerouted."

?>


文章来源: PHP's magic method __call on subclasses