KEMBAR78
Creational Patterns: Abstract Factory Builder Factory Method Prototype Singleton | PDF | Class (Computer Programming) | Method (Computer Programming)
0% found this document useful (0 votes)
101 views17 pages

Creational Patterns: Abstract Factory Builder Factory Method Prototype Singleton

The document discusses different design patterns including creational, structural, and behavioral patterns. Creational patterns deal with object creation, including class-creation patterns that use inheritance and object-creation patterns that use delegation. Structural patterns concern class and object composition using inheritance and composition. Behavioral patterns are mainly concerned with communication between objects. Specific patterns are then described for each category.

Uploaded by

Bhupender Kumar
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
101 views17 pages

Creational Patterns: Abstract Factory Builder Factory Method Prototype Singleton

The document discusses different design patterns including creational, structural, and behavioral patterns. Creational patterns deal with object creation, including class-creation patterns that use inheritance and object-creation patterns that use delegation. Structural patterns concern class and object composition using inheritance and composition. Behavioral patterns are mainly concerned with communication between objects. Specific patterns are then described for each category.

Uploaded by

Bhupender Kumar
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 17

Creational patterns

These patterns have to do with class instantiation. They can be further divided into class-creation
patterns and object-creational patterns. While class-creation patterns use inheritance effectively
in the instantiation process, object-creation patterns use delegation to get the job done.

 Abstract Factory groups object factories that have a common theme.


 Builder constructs complex objects by separating construction and representation.
 Factory Method creates objects without specifying the exact class to create.
 Prototype creates objects by cloning an existing object.
 Singleton restricts object creation for a class to only one instance.

[edit] Structural patterns


These concern class and object composition. They use inheritance to compose interfaces and
define ways to compose objects to obtain new functionality.

 Adapter allows classes with incompatible interfaces to work together by wrapping its
own interface around that of an already existing class.
 Bridge decouples an abstraction from its implementation so that the two can vary
independently.
 Composite composes zero-or-more similar objects so that they can be manipulated as one
object.
 Decorator dynamically adds/overrides behaviour in an existing method of an object.
 Facade provides a simplified interface to a large body of code.
 Flyweight reduces the cost of creating and manipulating a large number of similar
objects.
 Proxy provides a placeholder for another object to control access, reduce cost, and reduce
complexity.

[edit] Behavioral patterns


Most of these design patterns are specifically concerned with communication between objects.

 Chain of responsibility delegates commands to a chain of processing objects.


 Command creates objects which encapsulate actions and parameters.
 Interpreter implements a specialized language.
 Iterator accesses the elements of an object sequentially without exposing its underlying
representation.
 Mediator allows loose coupling between classes by being the only class that has detailed
knowledge of their methods.
 Memento provides the ability to restore an object to its previous state (undo).
 Observer is a publish/subscribe pattern which allows a number of observer objects to see
an event.
 State allows an object to alter its behavior when its internal state changes.
 Strategy allows one of a family of algorithms to be selected on-the-fly at runtime.
 Template method defines the skeleton of an algorithm as an abstract class, allowing its
subclasses to provide concrete behavior.
 Visitor separates an algorithm from an object structure by moving the hierarchy of
methods into one object.

Class diagram Singleton

[edit] Implementation
Implementation of a singleton pattern must satisfy the single instance and global access
principles. It requires a mechanism to access the singleton class member without creating a class
object and a mechanism to persist the value of class members among class objects. The singleton
pattern is implemented by creating a class with a method that creates a new instance of the class
if one does not exist. If an instance already exists, it simply returns a reference to that object. To
make sure that the object cannot be instantiated any other way, the constructor is made protected
(not private, because reuse and unit test could need to access the constructor). Note the
distinction between a simple static instance of a class and a singleton: although a singleton can
be implemented as a static instance, it can also be lazily constructed, requiring no memory or
resources until needed. Another notable difference is that static member classes cannot
implement an interface, unless that interface is simply a marker. So if the class has to realize a
contract expressed by an interface, it really has to be a singleton.

The singleton pattern must be carefully constructed in multi-threaded applications. If two threads
are to execute the creation method at the same time when a singleton does not yet exist, they
both must check for an instance of the singleton and then only one should create the new one. If
the programming language has concurrent processing capabilities the method should be
constructed to execute as a mutually exclusive operation.

The classic solution to this problem is to use mutual exclusion on the class that indicates that the
object is being instantiated.

[edit] Example implementations


edit] Java

The Java programming language solutions provided here are all thread-safe but differ in
supported language versions and lazy-loading.

[edit] Traditional simple way

This solution is thread-safe without requiring special language constructs, but it may lack the
laziness of the one below. The INSTANCE is created as soon as the Singleton class is initialized.
That might even be long before getInstance() is called. It might be (for example) when some
static method of the class is used. If laziness is not needed or the instance needs to be created
early in the application's execution, or your class has no other static members or methods that
could prompt early initialization (and thus creation of the instance), this (slightly) simpler
solution can be used:

public class Singleton {


private static final Singleton INSTANCE = new Singleton();

// Private constructor prevents instantiation from other classes


private Singleton() {}

public static Singleton getInstance() {


return INSTANCE;
}
}

[edit] The solution of Bill Pugh

University of Maryland Computer Science researcher Bill Pugh has written about the code issues
underlying the Singleton pattern when implemented in Java.[8] Pugh's efforts on the "Double-
checked locking" idiom led to changes in the Java memory model in Java 5 and to what is
generally regarded as the standard method to implement Singletons in Java. The technique
known as the initialization on demand holder idiom, is as lazy as possible, and works in all
known versions of Java. It takes advantage of language guarantees about class initialization, and
will therefore work correctly in all Java-compliant compilers and virtual machines.

The nested class is referenced no earlier (and therefore loaded no earlier by the class loader) than
the moment that getInstance() is called. Thus, this solution is thread-safe without requiring
special language constructs (i.e. volatile or synchronized).

public class Singleton {


// Private constructor prevents instantiation from other classes
private Singleton() {}

/**
* SingletonHolder is loaded on the first execution of
Singleton.getInstance()
* or the first access to SingletonHolder.INSTANCE, not before.
*/
private static class SingletonHolder {
private static final Singleton INSTANCE = new Singleton();
}

public static Singleton getInstance() {


return SingletonHolder.INSTANCE;
}
}

[edit] Traditional simple way using synchronization

This solution is thread-safe in Java 5.0 and later without requiring special language constructs:

public class Singleton {


private volatile static Singleton singleton;//volatile is needed so that
multiple thread can reconcile the instance

private Singleton(){}

public static Singleton getSingleton(){//synchronized keyword has been


removed from here
if(singleton==null) {//needed because once there is singleton available
no need to acquire monitor again & again as it is costly
synchronized(Singleton.class){
if(singleton==null)//this is needed if two threads are waiting at
the monitor at the time when singleton was getting instantiated
singleton= new Singleton();
}
}
return singleton;
}

Prior to Java 5.0 this solution would not be thread safe, see: [1].

Abstract factory pattern

From Wikipedia, the free encyclopedia

Jump to: navigation, search

A software design pattern, the abstract factory pattern provides a way to encapsulate a group
of individual factories that have a common theme. In normal usage, the client software creates a
concrete implementation of the abstract factory and then uses the generic interfaces to create the
concrete objects that are part of the theme. The client does not know (or care) which concrete
objects it gets from each of these internal factories since it uses only the generic interfaces of
their products. This pattern separates the details of implementation of a set of objects from their
general usage.

An example of this would be an abstract factory class DocumentCreator that provides interfaces
to create a number of products (e.g. createLetter() and createResume()). The system would have
any number of derived concrete versions of the DocumentCreator class like
FancyDocumentCreator or ModernDocumentCreator, each with a different implementation of
createLetter() and createResume() that would create a corresponding object like FancyLetter or
ModernResume. Each of these products is derived from a simple abstract class like Letter or
Resume of which the client is aware. The client code would get an appropriate instance of the
DocumentCreator and call its factory methods. Each of the resulting objects would be created
from the same DocumentCreator implementation and would share a common theme (they would
all be fancy or modern objects). The client would need to know how to handle only the abstract
Letter or Resume class, not the specific version that it got from the concrete factory.

In software development, a Factory is the location in the code at which objects are constructed.
The intent in employing the pattern is to insulate the creation of objects from their usage. This
allows for new derived types to be introduced with no change to the code that uses the base class.

Use of this pattern makes it possible to interchange concrete classes without changing the code
that uses them, even at runtime. However, employment of this pattern, as with similar design
patterns, may result in unnecessary complexity and extra work in the initial writing of code.
Used correctly the "extra work" pays off in the second instance of using the Factory.

Usage
The factory determines the actual concrete type of object to be created, and it is here that the
object is actually created (in C++, for instance, by the new operator). However, the factory only
returns an abstract pointer to the created concrete object.

This insulates client code from object creation by having clients ask a factory object to create an
object of the desired abstract type and to return an abstract pointer to the object.

As the factory only returns an abstract pointer, the client code (which requested the object from
the factory) does not know – and is not burdened by – the actual concrete type of the object
which was just created. However, the type of a concrete object (and hence a concrete factory) is
known by the abstract factory; for instance, the factory may read it from a configuration file. The
client has no need to specify the type, since it has already been specified in the configuration file.
In particular, this means:

 The client code has no knowledge whatsoever of the concrete type, not needing to
include any header files or class declarations relating to the concrete type. The client code
deals only with the abstract type. Objects of a concrete type are indeed created by the
factory, but the client code accesses such objects only through their abstract interface.
 Adding new concrete types is done by modifying the client code to use a different
factory, a modification which is typically one line in one file. (The different factory then
creates objects of a different concrete type, but still returns a pointer of the same abstract
type as before – thus insulating the client code from change.) This is significantly easier
than modifying the client code to instantiate a new type, which would require changing
every location in the code where a new object is created (as well as making sure that all
such code locations also have knowledge of the new concrete type, by including for
instance a concrete class header file). If all factory objects are stored globally in a
singleton object, and all client code goes through the singleton to access the proper
factory for object creation, then changing factories is as easy as changing the singleton
object.

[edit] Structure
The class diagram of this design pattern as demonstrated in the example below:

[edit] Example
The output should be either "I'm a WinButton" or "I'm an OSXButton" depending on which kind
of factory was used. Note that the Application has no idea what kind of GUIFactory it is given or
even what kind of Button that factory creates. ===Java===Rajendar

/* GUIFactory example -- */

interface GUIFactory {
public Button createButton();
}

class WinFactory implements GUIFactory {


public Button createButton() {
return new WinButton();
}
}

class OSXFactory implements GUIFactory {


public Button createButton() {
return new OSXButton();
}
}

interface Button {
public void paint();
}

class WinButton implements Button {


public void paint() {
System.out.println("I'm a WinButton");
}
}

class OSXButton implements Button {


public void paint() {
System.out.println("I'm an OSXButton");
}
}

class Application {
public Application(GUIFactory factory){
Button button = factory.createButton();
button.paint();
}
}

public class ApplicationRunner {


public static void main(String[] args) {
new Application(createOsSpecificFactory());
}

public static GUIFactory createOsSpecificFactory() {


int sys = readFromConfigFile("OS_TYPE");
if (sys == 0) {
return new WinFactory();
} else {
return new OSXFactory();
}
}
}
factory method pattern
The factory method pattern is an object-oriented design pattern to implement the concept of
factories.

Like other creational patterns, it deals with the problem of creating objects (products) without
specifying the exact class of object that will be created. The factory method design pattern
handles this problem by defining a separate method for creating the objects, which subclasses
can then override to specify the derived type of product that will be created.

Outside the scope of design patterns, the term factory method can also refer to a method of a
factory whose main purpose is creation of objects.

Java
abstract class Pizza {
public abstract int getPrice(); // count the cents
}

class HamAndMushroomPizza extends Pizza {


public int getPrice() {
return 850;
}
}

class DeluxePizza extends Pizza {


public int getPrice() {
return 1050;
}
}

class HawaiianPizza extends Pizza {


public int getPrice() {
return 1150;
}
}

class PizzaFactory {
public enum PizzaType {
HamMushroom,
Deluxe,
Hawaiian
}

public static Pizza createPizza(PizzaType pizzaType) {


switch (pizzaType) {
case HamMushroom:
return new HamAndMushroomPizza();
case Deluxe:
return new DeluxePizza();
case Hawaiian:
return new HawaiianPizza();
}
throw new IllegalArgumentException("The pizza type " + pizzaType + "
is not recognized.");
}
}

class PizzaLover {
/*
* Create all available pizzas and print their prices
*/
public static void main (String args[]) {
for (PizzaFactory.PizzaType pizzaType :
PizzaFactory.PizzaType.values()) {
System.out.println("Price of " + pizzaType + " is " +
PizzaFactory.createPizza(pizzaType).getPrice());
}
}
}

Output:
Price of HamMushroom is 850
Price of Deluxe is 1050
Price of Hawaiian is 1150

proxy pattern
In computer programming, the proxy pattern is a software design pattern.

A proxy, in its most general form, is a class functioning as an interface to something else. The
proxy could interface to anything: a network connection, a large object in memory, a file, or
some other resource that is expensive or impossible to duplicate.

A well-known example of the proxy pattern is a reference counting pointer object.

In situations where multiple copies of a complex object must exist the proxy pattern can be
adapted to incorporate the flyweight pattern in order to reduce the application's memory
footprint. Typically one instance of the complex object is created, and multiple proxy objects are
created, all of which contain a reference to the single original complex object. Any operations
performed on the proxies are forwarded to the original object. Once all instances of the proxy are
out of scope, the complex object's memory may be deallocated.

Facade pattern

From Wikipedia, the free encyclopedia

Jump to: navigation, search

The facade pattern is a software engineering design pattern commonly used with Object-
oriented programming. (The name is by analogy to an architectural facade.)

A facade is an object that provides a simplified interface to a larger body of code, such as a class
library. A facade can:

 make a software library easier to use and understand and test, since the facade has convenient
methods for common tasks;
 make code that uses the library more readable, for the same reason;
 reduce dependencies of outside code on the inner workings of a library, since most code uses
the facade, thus allowing more flexibility in developing the system;
 wrap a poorly-designed collection of APIs with a single well-designed API (as per task needs).

An Adapter is used when the wrapper must respect a particular interface and must support a
polymorphic behavior. On the other hand, a facade is used when one wants an easier or simpler
interface to work with.

[edit] Structure
Facade (pronounced /fəˈsɑːd/)

The facade class abstracts Packages 1, 2, and 3 from the rest of the application.

Clients

The objects using the Facade Pattern to access resources from the Packages.

Packages

Behavioral patterns
1. Iterator pattern

In object-oriented programming, the Iterator pattern is a design pattern in which iterators are
used to access the elements of an aggregate object sequentially without exposing its underlying
representation. An Iterator object encapsulates the internal structure of how the iteration occurs.

For example, a tree, linked list, hash table, and an array all need to be iterated with the methods
search, sort, and next. Rather than having 12 different methods to manage (one implementation
for each of the previous three methods in each structure), using the iterator pattern yields just
seven: one for each class using the iterator to obtain the iterator and one for each of the three
methods. Therefore, to run the search method on the array, you would call array.search(), which
hides the call to array.iterator.search().

From Wikipedia, the free encyclopedia

Jump to: navigation, search

In object-oriented programming, the Iterator pattern is a design pattern in which iterators are
used to access the elements of an aggregate object sequentially without exposing its underlying
representation. An Iterator object encapsulates the internal structure of how the iteration occurs.

For example, a tree, linked list, hash table, and an array all need to be iterated with the methods
search, sort, and next. Rather than having 12 different methods to manage (one implementation
for each of the previous three methods in each structure), using the iterator pattern yields just
seven: one for each class using the iterator to obtain the iterator and one for each of the three
methods. Therefore, to run the search method on the array, you would call array.search(), which
hides the call to array.iterator.search().

Contents
[hide]

 1 Examples
o 1.1 Java
o 1.2 PHP 5
o 1.3 Python
o 1.4 C++
o 1.5 MATLAB
 2 See also
 3 References
 4 External links

[edit] Examples
[edit] Java
import java.util.*;
public class BitSetIterator implements Iterator<Boolean> {
private final BitSet bitset;
private int index;

public BitSetIterator(BitSet bitset) {


this.bitset = bitset;
}

public boolean hasNext() {


return index < bitset.length();
}

public Boolean next() {


if (index >= bitset.length()) {
throw new NoSuchElementException();
}
boolean b = bitset.get(index++);
return new Boolean(b);
}

public void remove() {


throw new UnsupportedOperationException();
}
}

Two different usage examples:

public class TestClientBitSet {


public static void main(String[] args) {
// create BitSet and set some bits
BitSet bitset = new BitSet();
bitset.set(1);
bitset.set(3400);
bitset.set(20);
bitset.set(47);
for (BitSetIterator iter = new BitSetIterator(bitset);
iter.hasNext(); ) {
Boolean b = iter.next();
String tf = (b.booleanValue() ? "T" : "F");
System.out.print(tf);
}
System.out.println();
}
}

import java.util.*;
public class TestClientIterator {
public static void main(String[] args) {
ArrayList<Object> al = new ArrayList<Object>();
al.add(new Integer(42));
al.add("test");
al.add(new Double("-12.34"));
for (Iterator<Object> iter=al.iterator(); iter.hasNext(); )
System.out.println( iter.next() );
// Java 5 syntax (for-each loop)
for (Object o:al)
System.out.println( o );
}
}
Observer pattern
The observer pattern (a subset of the publish/subscribe pattern) is a software design pattern in which an
object, called the subject, maintains a list of its dependants, called observers, and notifies them
automatically of any state changes, usually by calling one of their methods. It is mainly used to
implement distributed event handling systems.

 File
 File history
 File links
 Global file usage

Java

The file MyApp.java contains a main() method that might be used in order to run the code.

/* File Name : EventSource.java */

package obs;

import java.util.Observable; //Observable is here


import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;

public class EventSource extends Observable implements Runnable {


public void run() {
try {
final InputStreamReader isr = new InputStreamReader( System.in );
final BufferedReader br = new BufferedReader( isr );
while( true ) {
String response = br.readLine();
setChanged();
notifyObservers( response );
}
}
catch (IOException e) {
e.printStackTrace();
}
}
}
/* File Name: ResponseHandler.java */

package obs;

import java.util.Observable;
import java.util.Observer; /* this is Event Handler */

public class ResponseHandler implements Observer {


private String resp;
public void update (Observable obj, Object arg) {
if (arg instanceof String) {
resp = (String) arg;
System.out.println("\nReceived Response: "+ resp );
}
}
}
/* Filename : MyApp.java */
/* This is the main program */

package obs;

public class MyApp {


public static void main(String args[]) {
System.out.println("Enter Text >");

// create an event source - reads from stdin


final EventSource evSrc = new EventSource();

// create an observer
final ResponseHandler respHandler = new ResponseHandler();

// subscribe the observer to the event source


evSrc.addObserver( respHandler );

// starts the event thread


Thread thread = new Thread(evSrc);
thread.start();
}
}
Template method pattern

A template method defines the program skeleton of an algorithm. One or more of the algorithm
steps are able to be overridden by subclasses to provide their own concrete implementation. This
allows differing behaviors while ensuring that the overarching algorithm is still followed.

In object-oriented programming, first a class is created that provides the basic steps of an
algorithm design. These steps are implemented using abstract methods. Later on, subclasses
change the abstract methods to implement real actions. Thus the general algorithm is saved in
one place but the concrete steps may be changed by the subclasses.

The template method thus manages the larger picture of task semantics, and more refined
implementation details of selection and sequence of methods. This larger picture calls abstract
and non-abstract methods for the task at hand. The non-abstract methods are completely
controlled by the Template method. The expressive power and degrees of freedom occur in
abstract methods that may be implemented in subclasses. Some or all of the abstract methods can
be specialized in the subclass, the abstract method is the smallest unit of granularity, allowing the
writer of the subclass to provide particular behavior with minimal modifications to the larger
semantics. In contrast the template method need not be changed and is not an abstract operation
and thus may guarantee required steps before and after the abstract operations. Thus the template
method is invoked and as a consequence the subordinate non-abstract methods and abstract
methods are called in the correct sequence.
The template method occurs frequently, at least in its simplest case, where a method calls only
one abstract method, with object oriented languages. If a software writer uses a polymorphic
method at all, this design pattern may be a rather natural consequence. This is because a method
calling an abstract or polymorphic function is simply the reason for being of the abstract or
polymorphic method. The template method may be used to add immediate present value to the
software or with a vision to enhancements in the future.

Usage
The template method is used to:

 let subclasses implement (through method overriding) behavior that can vary
 avoid duplication in the code: you look for the general code in the algorithm, and
implement the variants in the subclasses
 control at what point(s) subclassing is allowed.

The control structure (inversion of control) that is the result of the application of a template
pattern is often referred to as the Hollywood Principle: "Don't call us, we'll call you." Using this
principle, the template method in a parent class controls the overall process by calling subclass
methods as required. This is shown in the following Java example:

You might also like