如何在反射类方法(PHP5.x)中获取参数类型


How to get parameter type in reflected class method (PHP 5.x)?

我正在尝试获取类型$bar变量。

<?php
class Foo
{
    public function test(stdClass $bar, array $foo)
    {
    }
}
$reflect = new ReflectionClass('Foo');
foreach ($reflect->getMethods() as $method) {
    foreach ($method->getParameters() as $num => $parameter) {
        var_dump($parameter->getType());
    }
}

我期待stdClass,但我得到

Call to undefined method ReflectionParameter::getType()

可能出了什么问题?或者还有别的办法?。。

$ php -v
PHP 5.4.41 (cli) (built: May 14 2015 02:34:29)
Copyright (c) 1997-2014 The PHP Group
Zend Engine v2.4.0, Copyright (c) 1998-2014 Zend Technologies

UPD1它也应该适用于数组类型。

如果您只是类型提示类,则可以使用PHP 5和7中支持的->getClass()

<?php
class MyClass {
}
class Foo
{
    public function test(stdClass $bar)
    {
    }
    public function another_test(array $arr) {
    }
    public function final_test(MyClass $var) {
    }
}
$reflect = new ReflectionClass('Foo');
foreach ($reflect->getMethods() as $method) {
    foreach ($method->getParameters() as $num => $parameter) {
        var_dump($parameter->getClass());
    }
}

我之所以说类,是因为在数组上,它将返回NULL。

输出:

object(ReflectionClass)#6 (1) {
  ["name"]=>
  string(8) "stdClass"
}
NULL
object(ReflectionClass)#6 (1) {
  ["name"]=>
  string(7) "MyClass"
}

中似乎已经添加了类似的问题PHP反射-将方法参数类型获取为字符串

我写了我的解决方案,它适用于所有情况:

/**
 * @param ReflectionParameter $parameter
 * @return string|null
 */
function getParameterType(ReflectionParameter $parameter)
{
    $export = ReflectionParameter::export(
        array(
            $parameter->getDeclaringClass()->name,
            $parameter->getDeclaringFunction()->name
        ),
        $parameter->name,
        true
    );
    return preg_match('/[>] ([A-z]+) /', $export, $matches)
        ? $matches[1] : null;
}