无论是实例方法还是静态方法,动态调用函数?

时间:2012-08-28 17:54:31

标签: php

我需要能够调用方法而不必知道它是否是静态的。

例如,这不起作用,我希望:

class Groups {
    public function fetchAll($arg1, $arg2){
        return $this->otherFunction();
    }
    public static function alsoFetchAll($arg1, $arg2){}
}

$arguments = array('one', 'two');
$result = call_user_func_array(array('Groups', 'fetchAll'), $arguments);
$result = call_user_func_array(array('Groups', 'alsoFetchAll'), $arguments);

我收到实例varirable的错误:

Fatal error: Using $this when not in object context

它不起作用的原因是因为我需要实例化类以使实例变量起作用。但是我的构造函数没有接受任何参数,所以我想快速跳过这一步。

我怎么写这个,以便它与哪种方法无关?

2 个答案:

答案 0 :(得分:2)

可以使用Reflection执行此操作。假设你有这些变量:

$class = 'Groups';
$params = array(1, 'two');

然后您可以创建该类的新实例:

$ref = new ReflectionClass( $class);
$instance = $ref->newInstance();

并以相同的方式调用这两种方法,检查它们是否是静态的或完整性:

$method = $ref->getMethod( 'fetchAll');
$method->invokeArgs( ($method->isStatic() ? null : $instance), $params);

$method = $ref->getMethod( 'alsoFetchAll');
$method->invokeArgs( ($method->isStatic() ? null : $instance), $params);

但是,您不需要确保它们是静态的,无论方法是否是静态的,您都可以轻松地执行此操作:

$ref->getMethod( 'fetchAll')->invokeArgs( $instance, $params);
$ref->getMethod( 'alsoFetchAll')->invokeArgs( $instance, $params);

您可以在this demo中看到它。

修改: Here is a demo显示这适用于OP的用例,没有任何错误/警告/通知。

答案 1 :(得分:1)

我认为存在设计问题 - 如果您需要实例方法,则需要实例,因此您可能需要访问该实例的属性。

如果您需要静态方法,则无需引用任何实例,因此请使用call_user_func_array。当您处理存储库方法时,您可以使它们保持静态而不会出现任何问题 - 无论如何您需要解决方案:

function callMethod($class, $method, $arguments)
{

    // if there is no such method, return
    $info = new ReflectionClass($class);
    if(!$info -> hasMethod($method))
        return false;

    // let's find if desired method is static - create a temporary instance in case
    foreach($info -> getMethods(ReflectionMethod::IS_STATIC) as $method)
    {

        if($method['name'] == $method)
        {

            $class = $info -> newInstance;
            break;

        }

    }

    return call_user_func_array(array($class, $method), $arguments);

}