ReflectionProperty::getValue

(PHP 5, PHP 7, PHP 8)

ReflectionProperty::getValue获取值

说明

public ReflectionProperty::getValue(?object $object = null): mixed

获取属性的值。

参数

object

如果属性是非静态的,则必须提供一个对象来从中获取属性。 如果要获取默认属性而不提供对象,请使用 ReflectionClass::getDefaultProperties()

返回值

属性的当前值。

变更日志

版本 说明
8.1.0 私有和受保护的属性可以直接通过 ReflectionProperty::getValue() 访问。 以前,需要通过调用 ReflectionProperty::setAccessible() 使它们可访问;否则会抛出 ReflectionException
8.0.0 object 现在可以为空。

范例

范例 #1 ReflectionProperty::getValue() 范例

<?php
class Foo {
public static
$staticProperty = 'foobar';

public
$property = 'barfoo';
protected
$privateProperty = 'foofoo';
}

$reflectionClass = new ReflectionClass('Foo');

var_dump($reflectionClass->getProperty('staticProperty')->getValue());
var_dump($reflectionClass->getProperty('property')->getValue(new Foo));

$reflectionProperty = $reflectionClass->getProperty('privateProperty');
$reflectionProperty->setAccessible(true); // only required prior to PHP 8.1.0
var_dump($reflectionProperty->getValue(new Foo));
?>

上面的例子将输出

string(6) "foobar"
string(6) "barfoo"
string(6) "foofoo"

参见

添加备注

用户贡献的备注 1 则备注

sergiy dot sokolenko at gmail dot com
14 年前
为了允许访问受保护和私有属性,您应该使用
ReflectionProperty::setAccessible(bool $accessible)

<?php
/** 具有受保护和私有成员的类 Foo */
class Foo {
protected
$bar = 'barrr!';
private
$baz = 'bazzz!';
}

$reflFoo = new ReflectionClass('Foo');
$reflBar = $reflFoo->getProperty('bar');
$reflBaz = $reflFoo->getProperty('baz');

// 设置私有和受保护成员对 getValue/setValue 可访问
$reflBar->setAccessible(true);
$reflBaz->setAccessible(true);

$foo = new Foo();
echo
$reflBar->getValue($foo); // 将输出 "barrr!"
echo $reflBaz->getValue($foo); // 将输出 "bazzz!"

// 您也可以设置值
$reflBar->setValue($foo, "new value");
echo
$reflBar->getValue($foo); // 将输出 "new value"
?>
To Top