I have a PHP class where I have to invoke PHP header function to show a webpage. As pointed out from this post, header should be followed by exit callback. Since this situation is very common in my classes, I've defined a method in parent class:
class ParentClass
{
    protected function header($url)
    {
        header('Location:'.$url);
        exit;
    }
} 
I would like to invoke this method from children classes:
class ChildClass extends ParentClass
{
    public function someFunc()
    {
        $this->header($some_url);
    }
} 
PHP documentation says that exit terminates the current script. My question is: does the exit function terminate child script even if it is contained in parent class?
EDIT
In my specific situation, I am using a MVC design pattern and ChildClass is a controller. Inside it, sometimes I need to show a view, sometimes I need to redirect to another url. Let me explain it with a practical example.
Suppose to have a website with a login section. When login page is displayed to users (login data not submitted), login controller should show login view. This view contains a form with an action like action="login.html". When data is submitted, login controller is invoked and checks login data: if login is successful, user is redirected to his admin section.
class UsersController extends BaseController
{
  public function login()
  {
    try
    {
      if(isset($_POST['submit']))
      {
        // check login data, throw exception in case of error
        // if success, redirect to admin section
        $this->header('admin.html');
      }
      else
      {
        // show login view
      }
    }
    catch(Exception $e)
    {
      // show login view (with error)
    }
  }
}
class BaseController
{
  protected function header($url)
  {
    header('Location:'.$url);
    exit;
  }
}
Since this situation is quite common in my controllers, I've preferred to define a header method in BaseController instead of typing everytime
header('Location:someURL.html');
exit;
In my OP, I only wanted to be sure that $this->header('admin.html'); callback would terminate current login method, even if it is defined in BaseController script.
Hope it's a little clearer now.
 
     
    