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
You can use get_class()
passing it the current object reference, like so:
class Base_class {
function __construct() {
$calledClassName = get_class($this);
}
}
Edit: You can find more info on get_class()
in the PHP manual http://php.net/manual/en/function.get-class.php
This is certainly possible using static::class
(or get_class($this)
or get_called_class()
) in the base class to get the name of the child (which is initially called at runtime):
<?php
class Foo
{
public function __construct()
{
var_dump(static::class, get_class($this), get_called_class());
}
}
class Bar extends Foo { }
class Baz extends Bar { }
new Foo();
new Bar();
new Baz();
Produces:
string(3) "Foo"
string(3) "Foo"
string(3) "Foo"
string(3) "Bar"
string(3) "Bar"
string(3) "Bar"
string(3) "Baz"
string(3) "Baz"
string(3) "Baz"
This is called late static binding. Here's a demo of the above.
Yes, 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 with parent
, self
, or static
. Consider this code:
<?php
class A {}
class B extends A
{
public function foo() {
echo parent::class . "\n"; // A
echo __CLASS__ . "\n"; // B
echo self::class . "\n"; // B
echo static::class . "\n"; // D
echo get_class($this) . "\n"; // D
}
}
class C extends B {}
class D extends C {}
(new D)->foo();
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 via debug_backtrace
, or via reflection).
Well, just pass it explicitly then:
class BaseClass{
function __construct($tableName){
// do stuff w/ $tableName
}
}
class ChildClass extends BaseClass{
function __construct(){
parent::__construct('ChildClass');
}
}