4

Silex PHP 微框架基于自动类型提示进行回调注入。例如,在 Silex 中,可以提供带有任意参数的闭包参数,如下所示:

$app->get('/blog/show/{postId}/{commentId}', function ($commentId, $postId) {
    //...
});
$app->get('/blog/show/{id}', function (Application $app, Request $request, $id) {
    //...
});
// following works just as well - order of arguments is not important
$app->get('/blog/show/{id}', function (Request $request, Application $app, $id) {
    //...
});

我该怎么做呢?我对将参数类型作为字符串获取不感兴趣。我正在寻找一种“无条件”的全自动解决方案。换句话说,

  1. 对于许多可能的论点:

    $possible_arguments = [
        new Class_A(), 
        new Class_B(), 
        new Class_C(), 
        new Another_Class, 
        $some_class
    ];
    
  2. 对于具有任意数量的任意参数的闭包,它只能包含上面定义的那些参数:

    $closure = function (Class_B $b, Another_Class, $a) {
        // Do something with $a and $b
    };
    
  3. 我只需要获取匹配的参数才能使用它们调用闭包:

    // $arguments is now [$possible_arguments[1], $possible_arguments[3]]
    call_user_func_array($closure, $arguments);
    
4

2 回答 2

5

我的猜测是使用反射。

http://php.net/manual/en/class.reflectionparameter.php

超级简单的例子:

function pre($var)
{
    echo '<pre>' . var_export($var, true) . '</pre>';
}

interface TestInterface
{
}

class TestClass
{
    public function __construct(TestInterface $testArg)
    {
    }
}

function TestFunc(TestInterface $testArg)
{
}

// for a class...

$className = 'TestClass';
$methodName = '__construct';

$argNumber = 0;

$ref = new ReflectionParameter([$className, $methodName], $argNumber);

pre($ref);
pre($ref->getClass());



// for a function...
$funcName = 'TestFunc';
$argNumber = 0;

$ref = new ReflectionParameter($funcName, $argNumber);

pre($ref);
pre($ref->getClass());

我在 stackoverflow 上发现的另一个问题可能是您问题的更好答案:PHP Reflection - Get Method Parameter Type As String

于 2012-12-20T08:44:20.327 回答
3

他们确实在使用Reflection,特别是在 ControllerResolver 类中。

如果您让我简化为仅包含一种情况Closure且仅包含对象类型参数:

$availableArguments = array($a, new B(), $c);
$arguments = array();
$reflection = new \ReflectionFunction($callback);  // $callback is a Closure
foreach ($reflection->getParameters() as $param) {
    if ($paramClass = $param->getClass()) {
        foreach ($availableArguments as $proposedArgument) {
            if ($paramClass->isInstance($proposedArgument)) {
                $arguments[] = $proposedArgument;
                break;
            }
        }
    }
}
call_user_func_array($callback, $arguments);
于 2012-12-20T09:06:57.973 回答