PHP 5.3.0 veya daha kullanıyorsanız, aşağıdaki kullanabilirsiniz:
$classname::$$propertyname;
Unfortunately, if you are using a version lower than 5.3.0, you are stuck using eval()
(get_class_vars()
will not work if the value is dynamic).
$value = eval($classname.'::$'.$propertyname.';');
Strike>
EDIT: Ben sadece söylediğim get_class_vars()
wouldn't work if the value is dynamic, but apparently, variable static members are part of "the default properties of a class". Aşağıdaki sarıcı kullanabilirsiniz:
function get_user_prop($className, $property) {
if(!class_exists($className)) return null;
if(!property_exists($className, $property)) return null;
$vars = get_class_vars($className);
return $vars[$property];
}
class Foo { static $bar = 'Fizz'; }
echo get_user_prop('Foo', 'bar'); // echoes Fizz
Foo::$bar = 'Buzz';
echo get_user_prop('Foo', 'bar'); // echoes Buzz
Eğer değişkenin değerini ayarlamak istiyorsanız yazık ki, yine de kullanmak gerekir eval()
, but with some validation in place, it's not so evil.
function set_user_prop($className, $property,$value) {
if(!class_exists($className)) return false;
if(!property_exists($className, $property)) return false;
/* Since I cannot trust the value of $value
* I am putting it in single quotes (I don't
* want its value to be evaled. Now it will
* just be parsed as a variable reference).
*/
eval($className.'::$'.$property.'=$value;');
return true;
}
class Foo { static $bar = 'Fizz'; }
echo get_user_prop('Foo', 'bar'); // echoes Fizz
set_user_prop('Foo', 'bar', 'Buzz');
echo get_user_prop('Foo', 'bar'); // echoes Buzz
set_user_prop()
Bu doğrulama ile should güvenli olması. Insanlar $className
gibi rastgele şeyler koyarak başlamak ve mevcut bir sınıf veya özellik olmayacak gibi $property
, bu fonksiyonun dışarı çıkmak olacaktır. Itibariyle $value
, aslında bu yüzden ne olursa olsun onlar oraya koymak komut etkilemez kodu olarak ayrıştırılır asla.