views:

58

answers:

3

I would like to assign a value in a class property dynamically (that is referring to it using a variable).

#Something like: 
setPropValue($obj, $propName, $value);
+1  A: 

Like this?

$myClass = new stdClass();
$myProp = 'foo';
$myClass->$myProp = 'bar';
echo $myClass->foo; // bar
echo $myClass->$myProp; // bar
Mike B
+3  A: 
$obj->$propName = $value;
Artefacto
+1  A: 

In case you want to do this for static members, you can use variable variables:

class Foo
{
    public static $foo = 'bar';
}

// regular way to get the public static class member
echo Foo::$foo; // bar

// assigning member name to variable
$varvar = 'foo';
// calling it as a variable variable
echo Foo::$$varvar; // bar

// same for changing it
Foo::$$varvar = 'foo';
echo Foo::$$varvar; // foo
Gordon
+1 This is probably the first time variable variables didn't hurt my eyes.
Artefacto