I want to get the name of my child class in the base class so that whenever an object of child class is created I get the name of the child class in my base class. Something like this:
class Base_class {
function __construct() {
// Some code Here to get the name of the child class
}
}
class Child_class extends Base_Class {}
class Another_child_class extends Base_Class {}
$object = new Child_Class;
$object2 = new Another_child_class;
When the $object
is created I want the constructor to give me the name of the class from which the object was created.
You can use
get_class()
passing it the current object reference, like so:Edit: You can find more info on
get_class()
in the PHP manual http://php.net/manual/en/function.get-class.phpYes, to an extent. In PHP 5.5, the
::class
class constant was added, which returns the class name of class to which it is applied. You can then use this in conjunction withparent
,self
, orstatic
. Consider this code:self::class
will return the same thing as__CLASS__
, the class belonging to the function currently executing (in this case,B
).parent::class
will return the name of the method's parent class (A
).static::class
, by way of Late Static Binding, will return the class name of the method that was actually invoked (D
).Note, however, that you can not get the immediate child descendent of your current function (
C
) without using more advanced means (parsing the call stack viadebug_backtrace
, or via reflection).Well, just pass it explicitly then:
This is certainly possible using
static::class
(orget_class($this)
orget_called_class()
) in the base class to get the name of the child (which is initially called at runtime):Produces:
This is called late static binding. Here's a demo of the above.