PHP how to list out all public functions of class

2019-03-18 12:05发布

I've heard of get_class_methods() but is there a way in PHP to gather an array of all of the public methods from a particular class?

标签: php class
4条回答
Luminary・发光体
2楼-- · 2019-03-18 12:26

Yes you can, take a look at the reflection classes / methods.

http://php.net/manual/en/book.reflection.php and http://www.php.net/manual/en/reflectionclass.getmethods.php

$class = new ReflectionClass('Apple');
$methods = $class->getMethods(ReflectionMethod::IS_PUBLIC);
var_dump($methods);
查看更多
The star\"
3楼-- · 2019-03-18 12:30

As get_class_methods() is scope-sensitive, you can get all the public methods of a class just by calling the function from outside the class' scope:

So, take this class:

class Foo {
    private function bar() {
        var_dump(get_class_methods($this));
    }

    public function baz() {}

    public function __construct() {
        $this->bar();
    }
}

var_dump(get_class_methods('Foo')); will output the following:

array
  0 => string 'baz' (length=3)
  1 => string '__construct' (length=11)

While a call from inside the scope of the class (new Foo;) would return:

array
  0 => string 'bar' (length=3)
  1 => string 'baz' (length=3)
  2 => string '__construct' (length=11)
查看更多
女痞
4楼-- · 2019-03-18 12:50

After getting all the methods with get_class_methods($theClass) you can loop through them with something like this:

foreach ($methods as $method) {
    $reflect = new ReflectionMethod($theClass, $method);
    if ($reflect->isPublic()) {
    }
}
查看更多
男人必须洒脱
5楼-- · 2019-03-18 12:50

Have you try this way?

$class_methods = get_class_methods(new myclass());

foreach ($class_methods as $method_name) {
    echo "$method_name\n";
}
查看更多
登录 后发表回答