Delicious Bookmark this on Delicious Share on Facebook SlashdotSlashdot It! Digg! Digg



PHP : Language Reference : Classes and Objects (PHP 5) : Class Abstraction

Class Abstraction

PHP 5 introduces abstract classes and methods. It is not allowed to create an instance of a class that has been defined as abstract. Any class that contains at least one abstract method must also be abstract. Methods defined as abstract simply declare the method's signature they cannot define the implementation.

When inheriting from an abstract class, all methods marked abstract in the parent's class declaration must be defined by the child; additionally, these methods must be defined with the same (or a less restricted) visibility. For example, if the abstract method is defined as protected, the function implementation must be defined as either protected or public, but not private.

Example 10.18. Abstract class example

<?php
abstract class AbstractClass
{
   
// Force Extending class to define this method
   
abstract protected function getValue();
   abstract protected function
prefixValue($prefix);

   
// Common method
   
public function printOut() {
       print
$this->getValue() . "\n";
   }
}

class
ConcreteClass1 extends AbstractClass
{
   protected function
getValue() {
       return
"ConcreteClass1";
   }

   public function
prefixValue($prefix) {
       return
"{$prefix}ConcreteClass1";
   }
}

class
ConcreteClass2 extends AbstractClass
{
   public function
getValue() {
       return
"ConcreteClass2";
   }

   public function
prefixValue($prefix) {
       return
"{$prefix}ConcreteClass2";
   }
}

$class1 = new ConcreteClass1;
$class1->printOut();
echo
$class1->prefixValue('FOO_') ."\n";

$class2 = new ConcreteClass2;
$class2->printOut();
echo
$class2->prefixValue('FOO_') ."\n";
?>

The above example will output:

ConcreteClass1
FOO_ConcreteClass1
ConcreteClass2
FOO_ConcreteClass2


Old code that has no user-defined classes or functions named 'abstract' should run without modifications.

Code Examples / Notes » language.oop5.abstract

rasto_klc

Variable-length argument lists in abstract methods will generate fatal error if derived. Here is an simple example:
<?php
// common wrap for all validators is forcing uniform interface
abstract class ValidatorWrap {
   // just example why variable-length arguments are needed
   public function __construct()
   {
       if (func_num_args() > 0) {
           $arg_list = func_get_args();
           call_user_func_array(array(&$this, 'setupValidator'), $arg_list);
       } else {
           $this->setupValidator();
       }
       // continue with construction
   }
   // amount of arguments is specific to validator implementation
   abstract public function setupValidator();
   // known interface
   abstract public function validate($value);
}
class Validator1 extends ValidatorWrap {
   protected $pattern = '';
   // this will generate PHP Fatal error because $pattern is not expected
   public function setupValidator($pattern)
   {
       $this->pattern = $pattern;
   }
   // this will do OK
   public function validate($value)
   {
       return preg_match($this->pattern, $value);
   }
}
// make numeric validator
$validator = new Validator1('/^\d+$/');
echo (int) $validator->validate($_REQUEST['digits']);
?>
I need it to work so I just redefine troublemaking function as follows:
<?php
   public function setupValidator() { }
?>
This will give me functionality I need and generates only PHP Strict Standards warning.


linus dot martensson

This should be a lot more obvious than people make it out to be.
The difference between an interface and an abstract class, is that an interface does not define the behavior of an object.
Rather, it defines how you work with a class.
You use interfaces to decouple the behavior of a class from the accessors and mutators which make up the class.
With an abstract class, you are saying that "Method X should work like this", "Variable Y should be used", an interface could be used to do something completely different.
A well-known usage is that of the proxy.
A proxy is used to moderate access to the real object without modifying the class which describes the object.
Instead, you create a new class, implementing the same interface, adding the new behaviour in the new class.
This could be security checks, accessing a remote object through a TCP/UDP connection, or simply using a light object to avoid creating the heavier one unless it's explicitly necessary depending on the accessed functions.
Either way, the abstract class does not allow this, as it has already decided how the class should work. The interface is much more open-ended in this way and would allow for the same, as it never decides anything about the object implementing it.


eamon

Sometimes I wonder. PHP needs to be pushed to its limits and below everyone fails to understand what an interface is and what abstraction is. So let me make it extremely clear as I have many languages under my belt.
Interfaces are in general WYSIWYG implementations of logic which in PHP are not accessible like in other languages like Java \ ASP.NET where you don't have to access the class itself...however in future I hope PHP does give us this functionality. Interfaces in PHP only define public functions without any basic or core functionality therefore making it lesser a friend to PROs from OOP && OOD backgrounds.
Instead Abstraction in PHP is perfered as this allows your objects a core with the ability to define different levels of access to methods | variables | constants. Although publicly allowing access to variables (to me) | (to official \ senior programmers) defeats the whole idea of OO. Abstraction allows the keywords of final which is very important to me as I can have many child objects of objects and of child objects.
Thus knowing the difference helps with your choosen style but if your really looking to make an application with Abstraction I would always suggest using an Abstract Class instead of Interfaces as Interfaces are limited and provides no functionality and is a waste of bytes on your hard drive.
The below is an example of Abstraction used in an automated system.
<?php
Abstract Class events
{
protected $priority;
protected $message;
protected $environment;
protected $syslog;
protected $config;
protected $global;
protected $classes;
protected $super;

 public function __construct(array &$config)
{
$this->config = $config;
}

abstract protected function writeToDatabase(Environment &$environment);
abstract protected function writeToSystem(Environment &$environment);
abstract protected function writeToEmail(Environment &$environment);
abstract protected function writeToMobile(Environment &$environment);
abstract public function execute(&$class, $method, $args);

protected function environment(Exception &$object) {
$this->super =& new Environment($object, $this->config);
$this->global = $this->super->env();
$this->global = $this->global['environment'];
return $this->super;
}

 public function __destruct()
 {
unset($this);
 }
}
?>


ramonzamora

so abstract clases are the same than inheritance+interfaces??
<?php
//using inheritance+interfaces
interface callA{
   protected function callA();
}
class callB{
   protected $b;
   protected function callB(){
       return $this->b;
   }
}
class caller extends callB implements callA{
   protected $a;
   public function __construct($a,$b){
       $this->a=$a;
       $this->b=$b;
   }
   protected function callA(){
       return $this->a;
   }

   public function callAB(){
       return $this->callA().$this->callB();
   }
}
$caller=new caller('a','b');
$caller->callAB();
//using abstract class
abstract class callAB{
   abstract protected function callA();
   protected $b;
   protected function callB(){
       return $this->b;
   }
}
class caller extends callAB{
   protected $a;
   public function __construct($a,$b){
       $this->a=$a;
       $this->b=$b;
   }
   protected function callA(){
       return $this->a;
   }
   public function callAB(){
       return $this->callA().$this->callB();
   }
}
$caller=new caller('a','b');
$caller->callAB();
?>
the only difference i see is that using inheritance+interfaces you can instantiate the parent but using abstract classes you can't


sneakyimp

Ok...the docs are a bit vague when it comes to an abstract class extending another abstract class.  An abstract class that extends another abstract class doesn't need to define the abstract methods from the parent class.  In other words, this causes an error:
[php]
abstract class class1 {
 abstract public function someFunc();
}
abstract class class2 extends class1 {
 abstract public function someFunc();
}
[/php]
Error: Fatal error: Can't inherit abstract function class1::someFunc() (previously declared abstract in class2) in /home/sneakyimp/public/chump.php on line 7
However this does not:
[php]
abstract class class1 {
 abstract public function someFunc();
}
abstract class class2 extends class1 {
}
[/php]
An abstract class that extends an abstract class can pass the buck to its child classes when it comes to implementing the abstract methods of its parent abstract class.


mail dot phatlip

just RE: ramonzamora at gmail dot com
Abstraction is 'stricter' than inheritance+implementation as it contains 'rules' about the visibility of the methods that are inherited, as well as the fact that it saves needing two classes to get a job done.
The fact you cannot instantiate an abstract class can be benificial also.


david

It took me a while to figure this out and i couldn't find it easily in the documentation anywhere.
If you want to override a method from a base class and want to call the base class in the method, then you have to use the parent::function() syntax, even though the method isn't static. There is no $base variable in php that i know of.
Expamle:
<?php
public abstract class BasePerson() {
 /*
  * alot of code..
  */
 public function getName() {
   return $this->name;
 }
}
public class Person() extends BasePerson {
 /*
  * alot of code..
  */
 // override of base getName()..
 public function getName() {
   // you would expect $base->getName() instead of parrent::getName()...
   return htmlspecialchars(parent::getName());
 }
}
?>
Hope this helps!


pierre

I still don't understand why people want to compare Interfaces and Abstract classes.
They are made for two different purposes in a "development environment".
Interfaces are made for class USERS(the ones who instantiate the class that implements the Interface).
Interfaces can be considered as an agreement between the Class USER and the  Class BUILDER/OWNER.
In other words the class Builder/Owner must implement exactly what is in the Interface.
While Abstract Classes are made for other Class builders who are going to EXTEND a "abstract" parent class.
The abstract class will tell what methods to use without changing it, and what methods you can implement in your Child class.
What ever the OOP language used, it should be the same concept.(Those are pure OOP concepts)
As simple as that.
Please,Don't be confused.Take a look again at:
http://www.php.net/manual/en/language.oop5.abstract.php#75990


joebert

I don't agree with jfkallens' last comparison between Abstract Classes & Object Interfaces completely.
In an Abstract Class, you can define how some methods work, where as in an Object Interface you can not.
An Object Interface is essentually nothing but a list of function names that a class must define if the class implements that interface.
An Abstract Class is essentually a prototype which hints towards what extending classes should be doing.
An Abstract Class can also be thought of as a Base Class that provides some basic functionality, & also defines a built-in Object Interface that all extending classes will implement.
So, an Object Interface is really a built-in part of an Abstract Class.


gsteren

Abstract classes allow the declaration of protected abstract methods, which cannot be emulated with the use of an interface and a concrete superclass.
Even private abstract methods can be declared, although I fail to see the use in them, as subclasses will not see them anyway.


wes

a simple solution to write an abstract class with the constructor predefinition
interface MyBaseClassAbstract
{
public pleaseDefineThisMethod();
}
class MyBaseClass
{
function __construct()
{
if(get_class($this) == __CLASS__)
throw new Exception("you can't instantiate this class");
else
{
//common constructor
}
}
}
class MyClass extends MyBaseClass implements MyBaseClassAbstract
{
function pleaseDefineThisMethod()
{
echo "hello";
}
}
$test = new MyClass();
$test = new MyBaseClass(); // error!


james

A nice tutorial on PHP5's abstract classes and interfaces:
Working with php5 class types abstract classes and interfaces.
http://www.phpfive.net/article4.htm


jfkallen

A couiple of years ago I raised the question on this website as to what the difference between an interface and an abstract class is.  At some point I learned how to define the words for myself since then - and now all is clear :)
An interface allows you to define what is conceptually the same thing as an abstract class except that all methods are public.  That makes sense as an "interface" represents how an app or environment interacts with the object - normally via public methods.


turgut85

<?php
// Design Pattern ABSTRACT FACTORY  implementation //
abstract class AbstractFactory {
public abstract function CreateProductA();  // return data type is AbstractProductA
public abstract function CreateProductB();  // return data type is AbstractProductB
}
// Abstract factory #1 //
class ConcreteFactory1 extends AbstractFactory {
public function CreateProductA() { // return data type is AbstractProductA
return new ProductA1();
}
public function CreateProductB() { // return data type is AbstractProductB
return new ProductB1();
}
}
// Abstract factory #2 //
class ConcreteFactory2 extends AbstractFactory {
public function CreateProductA() { // return data type is AbstractProductA //
return new ProductA2();
}
public function CreateProductB() { // return data type is AbstractProductB //
return new ProductB2();
}
}
// "AbstractProductA" //
abstract class AbstractProductA {
}
// "AbstractProductB" //
abstract class AbstractProductB {
public abstract function Interact($a); // return type is void // // input type is  AbstractProductA
}
// "ProductA1" //
class ProductA1 extends  AbstractProductA {
}
// "ProductB1" //
class ProductB1 extends  AbstractProductB {
public function Interact($a) {
echo __CLASS__." interacts with ".__METHOD__."\n";
var_dump($a);
}
}
// "ProductA2"
class ProductA2 extends AbstractProductA {
}
// "ProductB2"
class ProductB2 extends AbstractProductB {
public function Interact($a) {
echo __CLASS__." interacts with ".__METHOD__."\n";
var_dump($a);
}
}
class Client {
private  $AbstractProductA;                            // type AbstractProductA;
private  $AbstractProductB;                            // type AbstractProductB;
// Constructor
public function __construct($factory) {
$this->AbstractProductB = $factory->CreateProductB();
$this->AbstractProductA = $factory->CreateProductA();
}
public function Run() {
$this->AbstractProductB->Interact($this->AbstractProductA);
}
}
// Abstract factory #1
$factory1 = new ConcreteFactory1();
$c1 = new Client($factory1);
$c1->Run();
// Abstract factory #2
$factory2 = new ConcreteFactory2();
$c2 = new Client($factory2);
$c2->Run();
// TURGUT Z. YESILYURT, MS
// Software Developer
// NewJersey, USA
?>
Output::
ProductB1 interacts with ProductB1::Interact
object(ProductA1)#4 (0) {
}
ProductB2 interacts with ProductB2::Interact
object(ProductA2)#8 (0) {
}


Change Language


Follow Navioo On Twitter
Introduction
The Basics
Autoloading Objects
Constructors and Destructors
Visibility
Scope Resolution Operator (::)
Static Keyword
Class Constants
Class Abstraction
Object Interfaces
Overloading
Object Iteration
Patterns
Magic Methods
Final Keyword
Object cloning
Comparing objects
Reflection
Type Hinting
Late Static Bindings
eXTReMe Tracker