@Chiang
2019-12-24T15:18:48.000000Z
字数 1561
阅读 565
PHP
反射是程序可以访问、检测和修改它本身状态或行为的一种能力。就像将我反射给她,她就有了我的行为能力。
php具有完整的反射API,添加了对类、接口、函数、方法或者扩展进行反向工程的能力。反射API提供了方法来取出函数、类和方法中的文档注释。php的反射机制能拿出类里面的属性方法,private和protected也可以。
php提供了相应的调用API,也就是方法。
<?php
namespace Extend;
use ReflectionClass;
use Exception;
/**
* 用户相关类
* Class User
* @package Extend
*/
class User{
const ROLE = 'Students';
public $username = '';
private $password = '';
public function __construct($username, $password)
{
$this->username = $username;
$this->password = $password;
}
/**
* 获取用户名
* @return string
*/
public function getUsername()
{
return $this->username;
}
/**
* 设置用户名
* @param string $username
*/
public function setUsername($username)
{
$this->username = $username;
}
/**
* 获取密码
* @return string
*/
private function getPassword()
{
return $this->password;
}
/**
* 设置密码
* @param string $password
*/
private function setPassowrd($password)
{
$this->password = $password;
}
}
$class = new ReflectionClass('Extend\User'); // 将类名User作为参数,即可建立User类的反射类
$properties = $class->getProperties(); // 获取User类的所有属性,返回ReflectionProperty的数组
$property = $class->getProperty('password'); // 获取User类的password属性ReflectionProperty
$methods = $class->getMethods(); // 获取User类的所有方法,返回ReflectionMethod数组
$method = $class->getMethod('getUsername'); // 获取User类的getUsername方法的ReflectionMethod
$constants = $class->getConstants(); // 获取所有常量,返回常量定义数组
$constant = $class->getConstant('ROLE'); // 获取ROLE常量
$namespace = $class->getNamespaceName(); // 获取类的命名空间
$comment_class = $class->getDocComment(); // 获取User类的注释文档,即定义在类之前的注释
$comment_method = $class->getMethod('getUsername')->getDocComment(); // 获取User类中getUsername方法的注释文档
- 构建插件式架构的基础
- mvc实现也可以使用反射
- laravel使用反射实现依赖注入
参考资料:
php的反射机制
ReflectionClass 类