Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can a PHP class that extends another inherit a private function?

I am trying to extend a PHP class without rewriting the whole thing. Here is an example:

<?
$a = new foo();
print $a->xxx();
$b = new bar();
print $b->xxx();

class foo {
  const something = 10;

  public function xxx() {
    $this->setSomething();
    return $this->something;
  }

  private function setSomething() {
    $this->something = self::something;
  }
}

class bar extends foo {

  public function xxx() {
    $this->setSomething();
    $this->something++;
    return $this->something;
  }

}
?>

However when I run the script I get the following error:

Fatal error: Call to private method foo::setSomething() from context 'bar' in test.php on line 23

It would seem that bar is not inheriting the private function setSomething(). How would I fix this without modifying the foo class?

like image 640
Kenneth Vogt Avatar asked Apr 09 '12 06:04

Kenneth Vogt


2 Answers

Private members are not inheritable, you can not use them in sub class. They are not accessible outside the class.

You must need to make that function as protected or public. Protected members are accessible to that class and for the inherited class. So, your best bet is to make that function Protected.

like image 79
Shakti Singh Avatar answered Nov 15 '22 19:11

Shakti Singh


Did you try this?

class bar extends foo {

    public function xxx() {
      $this->something = parent::xxx();
      $this->something++;
      return $this->something;
    }
}

Note the parent::xxx(); is public, so it should work... even though it looks like a static call.

like image 37
Frank Forte Avatar answered Nov 15 '22 18:11

Frank Forte