views:

677

answers:

11

According to the PHP manual, a class like this:

abstract class Example {}

cannot be instantiated. If I need a class without instance, e.g. for a registry pattern:

class Registry {}
// and later:
echo Registry::$someValue;

would it be considered good style to simply declare the class as abstract? If not, what are the advantages of hiding the constructor as protected method compared to an abstract class?

Rationale for asking: As far as I see it, it could a bit of feature abuse, since the manual refers to abstract classes more as like blueprints for later classes with instantiation possibility.

Update: First of all, thanks for all the answers! But many answers sound quite alike: 'You cannot instantiate an abstract class, but for a registry, why not using a singleton pattern?'

Unfortunately, that was more or less exactly a repeat of my question. What is the advantage of using a singleton pattern (a.k.a. hiding __construct()) compared to just declaring it abstract and not having to worry about that? (Like, e.g., it is a strong connotation between developers, that abstract classes are not actually used or so.)

+16  A: 

If your class is not meant to define some super-type, it should not be declared as abstract, I'd say.

In your case, I would rather go with a class :

  • That defines __construct and __clone as private methods
    • so the class cannot be instanciated from outside
  • And, this way, your class could create an instance of itself


Now, why use a Singleton, and not only static methods ? I suppose that, at least a couple of reasons can be valid :

  • Using a singleton means using an instance of the class ; makes it easier to transform a non-singleton class to a singleton one : only have to make __construct and __clone private, and add some getInstance method.
  • Using a singleton also means you have access to everything you can use with a normal instance : $this, properties, ...
  • Oh, a third one (not sure about that, but might have its importance) : with PHP < 5.3, you have less possibilities with static methods/data :
    • __callStatic has only been introduced in PHP 5.3
    • There is no __getStatic, __setStatic, ...
    • Same for a couple of other Magic methods !
  • Late Static Binding has only been added with PHP 5.3 ; and not having it often makes it harder, when working with static methods/classes ; especially when using inheritance.


This being said, yes, some code like this :

abstract class MyClass {
    protected static $data;
    public static function setA($a) {
        self::$data['a'] = $a;
    }
    public static function getA() {
        return self::$data['a'];
    }
}

MyClass::setA(20);
var_dump(MyClass::getA());

Will work... But it doesn't feel quite natural... and this is a very simple example (see what I said earlier with Late Static Binding, and magic methods).

Pascal MARTIN
So, it's merely a style thing?
Boldewyn
A: 

I wouldnt use an abstract class. Id use something more akin to a singleton with a protected/private constructor as you suggest. There should be very few static properties other than $instance which is the actual registry instance. Recently ive become a fan of Zend Frameworks typical pattern which is something like this:

class MyRegistry {

  protected static $instance = null;

  public function __construct($options = null)
  {
  }

  public static function setInstance(MyRegistry $instance)
  {
    self::$instance = $instance;
  }

  public static function getInstance()
  {
     if(null === self::$instance) {
        self::$instance = new self;
     }

     return self::$instance;
  }
}

This way you get a singleton essentially but you can inject a configured instance to use. This is handy for testing purposes and inheritance.

prodigitalson
You should also add `private function __clone(){}` to it so one cannot clone it.
SeanJA
A: 

abstract really is meant to indicate a "blueprint", as you call it, for class inheritance.

Registries generally follow a singleton pattern, which means they it would instantiate itself in a private variable. Defining it as abstract would prevent this from working.

keithjgrant
A: 

PHP doesn't allow you to instantiate abstract classes. As you wrote, abstract classes can be used only as templates for child classes which extend them.

If you need just a registry, you can declare methods in the registry as static - that way you can access them without using a constructor.

class Registry {
     protected static $registry = Array();

     public static function get( $key ) {/* ... */ }

     public static function set( $key, $value ) {/* ... */ }
}

// and later:
echo Registry::get( "someValue" );

Alternatively, you can use the Singleton patten to hide a class which you need to instantiate, but you always need to work with just a single instance.

MicE
+1  A: 

As other guys said, you cannot instantiate an abstract class. You could use static methods in your class to prevent instantiating, but I'm not really a fan of doing so unless I have a proper reason.

I might be little bit off-topic now, but in your example you said you wanted this for Registry pattern class. What is the reason you don't want to instantiate it? Wouldn't it better to create an instance of Registry for each registry you want to use?

Something like:

class Registry {
    private $_objects = array( );

    public function set( $name, $object ) {
        $this->_objects[ $name ] = $object;
    }

    public function get( $name ) {
        return $this->_objects[ $name ];
    }
}

I wouldn't even use Singleton in this case.

Ondrej Slinták
Reason to not instantiate it: Lazyness. If I'd instantiate it, I'd have to declare the instance as global variable in any function. If I just use static class methods/members, then the Registry class is global per se.
Boldewyn
Global variables are evil! Try to use some other options instead, Strategy pattern for example: http://en.wikipedia.org/wiki/Strategy_pattern
Ondrej Slinták
@Boldewyn: I'd have to agree with Ondrej, globals are evil and are to be avoided if possible (and yes, that applies to Singleton which I suggested below as well). There are ways how you can avoid the need to instantiate the Registry in each class. On top of what Ondrej suggested, an alternative is to instantiate it just once and then use Dependency Injection to inject it into any classes that need to use it.
MicE
OK, I meant something different. What I mean, is, that with a simple class, I can do `Registry::get('abc')` right away in any function, whereas with a singleton I have to somehow grab it first, be it as a global variable or via some `Registry::get_instance()` before accessing it.
Boldewyn
A: 

The purpose of an abstract class is to define methods that are 1) meaningful to other classes and 2) not meaningful when not in the context of one of those classes.

To paraphase some of the php docs, imagine you are connecting to a database. Connecting to a database doesn't make much sense unless you have a particular kind of database to connect to. Yet connecting is something you will want to do regardless of the kind of database. Therefore, connecting can be defined in an abstract database class and inherited, and made meaningful by, say, a MYSQL class.

From your requirements, it sounds like you don't intend to do this but instead simply require a class without an instance. Whilst you could use an abstract class to enforce this behaviour, this seems hacky to me because it abuses the purpose of abstract classes. If I encounter an abstract class, I should be able to reasonably expect that this will have some abstract methods, for example, but your class will have none.

Therefore, a singleton seems like a better option.

However, if the reason you wish to have a class without an instance is simply so that you can call it anywhere then why do you even have a class at all? Why not just load every variable as a global and then you can just call it directly rather than through the class?

I think the best way to do this is to instantiate the class and then pass it around with dependency injection. If you are too lazy to do that (and fair enough if you are! Its your code, not mine.) then don't bother with the class at all.

UPDATE: It seems like you are conflicted between 2 needs: The need to do things quickly and the need to do things the right way. If you don't care about carrying a ton of global variables for the sake of saving yourself time, you will assumedly prefer using abstract over a singleton because it involves less typing. Pick which need is more important to you and stick with it.

The right way here is definitely not to use a Singleton or an abstract class and instead use dependency injection. The fast way is to have a ton of globals or an abstract class.

Rupert
A: 

What you describe is permitted by the PHP language, but it's not the intended usage of an abstract class. I wouldn't use static methods of an abstract class.

Here's the downside of doing that: Another developer could extend your abstract class and then instantiate an object, which is what you want to avoid. Example:

class MyRegistry extends AbstractRegistry { }
$reg = new MyRegistry();

True, you only need to worry about this if you're handing off your abstract class to another developer who won't comply with your intended usage, but that's why you would make the class a singleton too. An uncooperative developer can override a private constructor:

class Registry
{
  private function __construct() { }
}

class MyRegistry extends Registry
{
  public function __construct() { } // change private to public
}

If you were using this class yourself, you would simply remember not to instantiate the class. Then you wouldn't need either mechanism to prevent it. So since you're designing this to be used by others, you need some way to prevent those people from circumventing your intended usage.

So I offer these two possible alternatives:

  1. Stick with the singleton pattern and make sure the constructor is also final so no one can extend your class and change the constructor to non-private:

    class Registry
    {
      private final function __construct() {
      }
    }
    
  2. Make your Registry support both static and object usage:

    class Registry
    {
      protected static $reg = null;
    
    
      public static function getInstance() {
        if (self::$reg === null) {
          self::$reg = new Registry();
        }
        return self::$reg;
      }
    }
    

    Then you can call Registry::getInstance() statically, or you can call new Registry() if you want an object instance.

    Then you can do nifty things like store a new registry instance inside your global registry! :-)

    I implemented this as part of Zend Framework, in Zend_Registry

Bill Karwin
A: 

Setting a class to abstract that only defines static properties/methods won't have a real effect. You can extend the class, instantiate it, and call a method on it and it would change the static class properties. Obviously very confusing.

Abstract is also misleading. Abstract is ment to define an class that implements some functionality, but needs more behaviour (added via inheritance) to function properly. On top of that it's usually a feature that shouldn't be used with static at all. You are practically inviting programmers to use it wrong.

Short answer: A private constructor would be more expressive and fail safe.

elias
A: 

From my understanding, a class without instance is something you shouldn't be using in an OOP program, because the whole (and sole) purpose of classes is to serve as blueprints for new objects. The only difference between Registry::$someValue and $GLOBALS['Registry_someValue'] is that the former looks 'fancier', but neither way is really object-oriented.

So, to answer your question, you don't want a "singleton class", you want a singleton object, optionally equipped with a factory method:

class Registry
{
    static $obj = null;

    protected function __construct() {
        ...
    }

    static function object() {
        return self::$obj ? self::$obj : self::$obj = new self;
    }
}

...

Registry::object()->someValue;

Clearly abstract won't work here.

stereofrog
In PHP, a class without instance can be quite useful. I use them as kind of namespace; they can be autoloaded, they don't need to be declared as global for use inside a function, and the code is easier to read if you pick a good name for the class.It successfully made me happy with a very simple implementation. Whether it's good or not / should we use them or not? I don't really care because it damn easy to use, understand, and very powerful.
Savageman
@Savageman: yes, there are many things in programming that appear "damn easy to use and understand". Ironically, the number of such things greatly reduces as your codebase grows and experience increases.
stereofrog
A: 

I would say it's a matter of coding habbits. When you think of an abstract class it is usually something you need to subclass in order to use. So declaring your class abstract is counter-intuitive.

Other than that is it just a matter of using self::$somevar in your methods if you make it abstract, rather than $this->somevar if you implement it as a singleton.

Decko
A: 

There are patterns in OO that are common and well-recognized. Using abstract in an unconventional way may cause confusion (sorry, my some examples are in Java instead of PHP):

  • abstract class - a class meant to conceptualize a common ancestor, but of which actual instances are not meant to exist (e.g. shape is an abstract superclass for rectangle and triangle).
    Commonly implemented by:
    • use abstract modifier on class to prevent direct instantiation, but allow deriving from the class
  • utility class - a class that does not represent an object in the solution space, but rather is a collection of useful static operations/methods, e.g. Math class in Java.
    Commonly implemented by:
    • make class non-derivable, e.g. Java uses the final modifier on class, and
    • prevent direct instantiation - provide no constructors and hide or disable any implicit or default constructors (and copy constructors)
  • singleton class - a class that does represent an object in the solution space, but whose instantiation is controlled or limited, often to insure there is only one instance.
    Commonly implemented by:
    • make class non-derivable, e.g. Java uses the final modifier on class, and
    • prevent direct instantiation - provide no constructors and hide or disable any implicit or default constructors (and copy constructors), and
    • provide a specific means to acquire an instance - a static method (often getInstance()) that returns the only instance or one of the limited number of instances
Bert F