6CC001 Workshop - week 03

From mi-linux
Revision as of 14:39, 11 September 2009 by In9352 (talk | contribs)
Jump to navigationJump to search

Main Page >> Web Application Development >> Workbook >> Week 03

Static classes - An example

class Preferences
{
  private static $values = array();
  
  static function set($key, $val)
  {
    self::$values[$key] = $val;
  }
  
  static function get($key)
  {
    return self::$values[$key];
  }
}
Preferences::set("db_server", "mi-linux");
$db_server = Preferences::get("db_server");
echo $db_server;

Abstract classes - an example

An abstract class cannot be instantiated, i.e. you cannot use the “new” operator to create objects.

An abstract class defines (and optionally partially implements) the interface for any class that might extend it (via inheritance).

abstract class Shape
{
  protected $height;
  protected $width;
  
  public function __construct($height, $width)
  {
    $this->height = $height;
    $this->width = $width;
  }
  
  abstract public function CalculateSurface();
} 

This “Shape” class is telling us:

  • I am abstract, and as such cannot be used directly. I am only a rough template that other classes can build on via inheritance.
  • All my “children” classes will have $height and $width attributes, as well as a standard constructor method.
  • They must also have a CalculateSurface method, but I leave it to them to implement how that bit works.