获取类方法的参数类型

时间:2019-03-30 14:45:39

标签: php oop

我正在阅读有关php ReflectionFunction的信息。是否可以使用它来检查类方法的各种参数的类型?

1 个答案:

答案 0 :(得分:1)

您必须使用ReflectionMethod类而不是ReflectionFunction

class Test {
    public function Test1(int $number, string $str) {  }
}

//get the information about a specific method.
$rm = new ReflectionMethod('Test', 'Test1');

//get all parameter names and parameter types of the method.
foreach ($rm->getParameters() as $parameter) {
    echo 'Name: '.$parameter->getName().' - Type: '.$parameter->getType()."\n";
}

演示: https://ideone.com/uBUghi


您可以使用以下解决方案,通过ReflectionClass获取所有方法的所有参数:

class Test {
    public function Test1(int $number, string $str) {  }
    public function Test2(bool $boolean) {  }
    public function Test3($value) {  }
}

//get the information of the class.
$rf = new ReflectionClass('Test');

//run through all methods.
foreach ($rf->getMethods() as $method) {
    echo $method->name."\n";

    //run through all parameters of the method.
    foreach ($method->getParameters() as $parameter) {
        echo "\t".'Name: '.$parameter->getName().' - Type: '.$parameter->getType()."\n";
    }
}

演示: https://ideone.com/Ac7M2L