Justin T. Watts
Justin T. Watts

Reputation: 565

Getting a class name from a property reference

I was wondering if you could get the class name and property name from a property reference in PHP?

class Test {
    public static $TestProp;
}
GetDoc(& Test::$TestProp);
function GetDoc($prop) {
    $className = getClassName($prop);
    $propertyName = getPropertyName($prop);
}

what I'm looking for is if it is possible to create the functions getClassName and getPropertyName?

Upvotes: 3

Views: 153

Answers (3)

Justin T. Watts
Justin T. Watts

Reputation: 565

I have figured out the way to get this to work there is a lot of magic that goes on just to get this to work, but in my case it's worth it.

class Test {
    private $props = array();
    function __get($name) {
       return new Property(get_called_class(), $name, $this->props[$name]);
    }
    function __set($name, $value) {
       $props[$name] = $value;
    }
}
class Property {
    public $name;
    public $class;
    public $value;
    function __construct($class, $name, $value) {
        $this->name = $name;
        $this->class = $class;
        $this->value = $value;
    }
    function __toString() {
        return $value.'';
    }
}
function GetClassByProperty($prop) {
    return $prop->class.'->'.$prop->name;
}
$t = new Test();
$t->Name = "Test";
echo GetClassByProperty($t->Name);

this example yes I know it's complex, but it does the job how I'd want it to, will print out "Test->Name" I can also get the value by saying $prop->value. If I want to compare the value to another object I can simply do this:

if($t->Name == "Test") { echo "It worked!!"; }

hope this isn't too confusing but it was a fun exploration into PHP.

Upvotes: 0

Ja͢ck
Ja͢ck

Reputation: 173572

What you want is basically not possible; a property doesn't know its parent structure.

The only sane thing I could think of is to use reflection for it:

class Test
{
    public static $TestProp = '123';
}

//GetDoc(& Test::$TestProp);
GetDoc('Test', 'TestProp');

function GetDoc($className, $propName)
{
    $rc = new ReflectionClass($className);

    $propValue = $rc->getStaticPropertyValue($propName);
}

Within the Test class you could use __CLASS__ as a convenient reference for the class name.

Upvotes: 2

Chris Lam
Chris Lam

Reputation: 59

Php have a build in function called get_class

Upvotes: -1

Related Questions