Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Calling a child method from the parent class in PHP

Having the following class hierarchy:

class TheParent{

    public function parse(){
        $this->validate();
    }

}

class TheChild extends TheParent{

    private function validate(){
        echo 'Valid!!';
    }
}

$child= new TheChild();
$child->parse();

What is the sequence of steps in which this is going to work?

The problem is when I ran that code it gave the following error:

Fatal error: Call to private method TheChild::validate() from context 'TheParent' on line 4

Since TheChild inherits from TheParent shouldn't $this called in parse() be referring to the instance of $child, so validate() will be visible to parse()?

Note:
After doing some research I found that the solution to this problem would either make the validate() function protected according to this comment in the PHP manual, although I don't fully understand why it is working in this case.

The second solution is to create an abstract protected method validate() in the parent and override it in the child (which will be redundant) to the first solution as protected methods of a child can be accessed from the parent?!!

Can someone please explain how the inheritance works in this case?

like image 675
Songo Avatar asked Nov 18 '25 01:11

Songo


1 Answers

Other posters already pointed out that the mehods need to be protected in order to access them.

I think you should change one more thing in your code. Your base class parent relies on a method that is defined in a child class. That is bad programming. Change your code like this:

abstract class TheParent{

    public function parse(){
        $this->validate();
    }

    abstract function validate();

}

class TheChild extends TheParent{

    protected function validate(){
        echo 'Valid!!';
    }
}

$child= new TheChild();
$child->parse(); 

creating an abstract function ensures that the child class will definitely have the function validate because all abstract functions of an abstract class must be implemented for inheriting from such a class

like image 82
JvdBerg Avatar answered Nov 20 '25 15:11

JvdBerg



Donate For Us

If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!