ReflectionProperty::__construct

(PHP 5, PHP 7, PHP 8)

ReflectionProperty::__construct构造一个 ReflectionProperty 对象

描述

public ReflectionProperty::__construct(object|string $class, string $property)

参数

class

一个包含要反射的类的名称的字符串,或一个对象。

property

要反射的属性的名称。

错误/异常

尝试获取或设置私有或受保护的类属性的值将导致抛出异常。

示例

示例 #1 ReflectionProperty::__construct() 示例

<?php

class Str
{
public
$length = 5;
}

// 创建 ReflectionProperty 类的实例
$prop = new ReflectionProperty('Str', 'length');

// 打印基本信息
printf(
"===> The%s%s%s%s property '%s' (which was %s)\n" .
" having the modifiers %s\n",
$prop->isPublic() ? ' public' : '',
$prop->isPrivate() ? ' private' : '',
$prop->isProtected() ? ' protected' : '',
$prop->isStatic() ? ' static' : '',
$prop->getName(),
$prop->isDefault() ? 'declared at compile-time' : 'created at run-time',
var_export(Reflection::getModifierNames($prop->getModifiers()), true)
);

// 创建 Str 的实例
$obj= new Str();

// 获取当前值
printf("---> Value is: ");
var_dump($prop->getValue($obj));

// 更改值
$prop->setValue($obj, 10);
printf("---> Setting value to 10, new value is: ");
var_dump($prop->getValue($obj));

// 转储对象
var_dump($obj);

?>

上面的示例将输出类似于以下内容

===> The public property 'length' (which was declared at compile-time)
     having the modifiers array (
  0 => 'public',
)
---> Value is: int(5)
---> Setting value to 10, new value is: int(10)
object(Str)#2 (1) {
  ["length"]=>
  int(10)
}

示例 #2 使用 ReflectionProperty 类从私有和受保护的属性获取值

<?php

class Foo
{
public
$x = 1;
protected
$y = 2;
private
$z = 3;
}

$obj = new Foo;

$prop = new ReflectionProperty('Foo', 'y');
$prop->setAccessible(true);
var_dump($prop->getValue($obj)); // int(2)

$prop = new ReflectionProperty('Foo', 'z');
$prop->setAccessible(true);
var_dump($prop->getValue($obj)); // int(2)

?>

上面的示例将输出类似于以下内容

int(2)
int(3)

参见

添加注释

用户贡献的注释 1 条注释

geoffsmiths at hotmail dot com
7 年前
在示例 #2 中:注释 // int(2) 被指出,而私有属性的值实际上是 3。 (private $z = 3;)

var_dump($prop->getValue($obj)); // 这应该为 int(3)
To Top