10

我的情况最好用一些代码来描述:

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中可能吗?

4

5 回答 5

14

__call()仅在没有以其他方式找到该函数时才调用,因此您编写的示例是不可能的。

于 2009-10-08T01:45:42.923 回答
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()在生产代码中你要尽可能避免和朋友,因为它们效率不高。

于 2009-10-08T01:50:53.303 回答
2

您可以尝试的一件事是将您的函数范围设置为私有或受保护。当从类外部调用一个私有函数时,它会调用 __call 魔术方法,您可以利用它。

于 2016-04-05T13:00:09.867 回答
0

如果您需要向父 bar() 添加一些额外的东西,这可行吗?

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

或者这只是一个好奇的问题?

于 2009-10-08T02:21:04.263 回答
0

您可以执行以下操作以产生相同的效果:

    <?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."

?>
于 2009-12-27T01:49:18.460 回答