PHP Conference Japan 2024

使用反射 API 读取属性

要访问类、方法、函数、参数、属性和类常量的属性,反射 API 在每个相应的反射对象上提供了 getAttributes() 方法。此方法返回一个 ReflectionAttribute 实例数组,可以查询属性名称、参数并实例化表示的属性的实例。

这种反射属性表示与实际实例的分离增强了程序员对处理有关缺少属性类、类型错误或缺少参数的错误的控制。只有在调用 ReflectionAttribute::newInstance() 之后,才会实例化属性类的对象,并且会验证参数的正确匹配,而不是更早。

示例 #1 使用反射 API 读取属性

<?php

#[Attribute]
class
MyAttribute
{
public
$value;

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

#[
MyAttribute(value: 1234)]
class
Thing
{
}

function
dumpAttributeData($reflection) {
$attributes = $reflection->getAttributes();

foreach (
$attributes as $attribute) {
var_dump($attribute->getName());
var_dump($attribute->getArguments());
var_dump($attribute->newInstance());
}
}

dumpAttributeData(new ReflectionClass(Thing::class));
/*
string(11) "MyAttribute"
array(1) {
["value"]=>
int(1234)
}
object(MyAttribute)#3 (1) {
["value"]=>
int(1234)
}
*/

除了迭代反射实例上的所有属性之外,还可以通过将搜索的属性类名作为参数传递来仅检索特定属性类的属性。

示例 #2 使用反射 API 读取特定属性

<?php

function dumpMyAttributeData($reflection) {
$attributes = $reflection->getAttributes(MyAttribute::class);

foreach (
$attributes as $attribute) {
var_dump($attribute->getName());
var_dump($attribute->getArguments());
var_dump($attribute->newInstance());
}
}

dumpMyAttributeData(new ReflectionClass(Thing::class));
添加注释

用户贡献的注释 1 条注释

5
Hirusha Sharma
3 年前
从函数中获取属性

----------------------------------------
带有属性的函数定义
----------------------------------------
#[ReadOnly]
#[Property(type: 'function', name: 'Hello')]
function Hello()
{
return "Hello";
}

-----------------------------------------
收集函数的属性
-----------------------------------------
function getAttributes(Reflector $reflection)
{
$attributes = $reflection->getAttributes();
$result = [];
foreach ($attributes as $attribute)
{
$result[$attribute->getName()] = $attribute->getArguments();
}
return $result;
}

$reflection = new ReflectionFunction("Hello");
print_r(getAttributes($reflection));

-----------------------------
输出
-----------------------------
数组
(
[ReadOnly] => 数组
(
)

[Property] => 数组
(
[type] => function
[name] => Hello
)

)
To Top