fbpx
Wikipedia

Abstract factory pattern

The abstract factory pattern in software engineering is a design pattern that provides a way to create families of related objects without imposing their concrete classes, by encapsulating a group of individual factories that have a common theme without specifying their concrete classes.[1] According to this pattern, a client software component creates a concrete implementation of the abstract factory and then uses the generic interface of the factory to create the concrete objects that are part of the family. The client does not know which concrete objects it receives from each of these internal factories, as it uses only the generic interfaces of their products.[1] This pattern separates the details of implementation of a set of objects from their general usage and relies on object composition, as object creation is implemented in methods exposed in the factory interface.[2]

UML class diagram

Use of this pattern enables interchangeable concrete implementations 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. Additionally, higher levels of separation and abstraction can result in systems that are more difficult to debug and maintain.

Overview edit

The abstract factory design pattern is one of the 23 patterns described in the 1994 Design Patterns book. It may be used to solve problems such as:[3]

  • How can an application be independent of how its objects are created?
  • How can a class be independent of how the objects that it requires are created?
  • How can families of related or dependent objects be created?

Creating objects directly within the class that requires the objects is inflexible. Doing so commits the class to particular objects and makes it impossible to change the instantiation later without changing the class. It prevents the class from being reusable if other objects are required, and it makes the class difficult to test because real objects cannot be replaced with mock objects.

A factory is the location of a concrete class in the code at which objects are constructed. Implementation of the pattern intends to insulate the creation of objects from their usage and to create families of related objects without depending on their concrete classes.[2] This allows for new derived types to be introduced with no change to the code that uses the base class.

The pattern describes how to solve such problems:

  • Encapsulate object creation in a separate (factory) object by defining and implementing an interface for creating objects.
  • Delegate object creation to a factory object instead of creating objects directly.

This makes a class independent of how its objects are created. A class may be configured with a factory object, which it uses to create objects, and the factory object can be exchanged at runtime.

Definition edit

Design Patterns describes the abstract factory pattern as "an interface for creating families of related or dependent objects without specifying their concrete classes."[4]

Usage edit

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

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

An example is 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 such asFancyDocumentCreator or ModernDocumentCreator, each with a different implementation of createLetter() and createResume() that would create corresponding objects such asFancyLetter or ModernResume. Each of these products is derived from a simple abstract class such asLetter or Resume of which the client is aware. The client code would acquire 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. The client would only need to know how to handle the abstract Letter or Resume class, not the specific version that was created by the concrete factory.

As the factory only returns a reference or a pointer to an abstract type, the client code that requested the object from the factory is not aware of—and is not burdened by—the actual concrete type of the object that was created. However, the abstract factory knows the type of a concrete object (and hence a concrete factory). For instance, the factory may read the object's type from a configuration file. The client has no need to specify the type, as the type has already been specified in the configuration file. In particular, this means:

  • The client code has no knowledge of the concrete type, not needing to include any header files or class declarations related to it. 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 interfaces.[6]
  • Adding new concrete types is performed by modifying the client code to use a different factory, a modification that 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. Doing so would require changing every location in the code where a new object is created as well as ensuring that all such code locations have knowledge of the new concrete type, for example, by including a concrete class header file. If all factory objects are stored globally in a singleton object, and all client code passes through the singleton to access the proper factory for object creation, then changing factories is as easy as changing the singleton object.[6]

Structure edit

UML diagram edit

 
A sample UML class and sequence diagram for the abstract factory design pattern. [7]

In the above UML class diagram, the Client class that requires ProductA and ProductB objects does not instantiate the ProductA1 and ProductB1 classes directly. Instead, the Client refers to the AbstractFactory interface for creating objects, which makes the Client independent of how the objects are created (which concrete classes are instantiated). The Factory1 class implements the AbstractFactory interface by instantiating the ProductA1 and ProductB1 classes.

The UML sequence diagram shows the runtime interactions. The Client object calls createProductA() on the Factory1 object, which creates and returns a ProductA1 object. Thereafter, the Client calls createProductB() on Factory1, which creates and returns a ProductB1 object.

Variants edit

The original structure of the abstract factory pattern, as defined in 1994 in Design Patterns, is based on abstract classes for the abstract factory and the abstract products to be created. The concrete factories and products are classes that specialize the abstract classes using inheritance.[4]

A more recent structure of the pattern is based on interfaces that define the abstract factory and the abstract products to be created. This design uses native support for interfaces or protocols in mainstream programming languages to avoid inheritance. In this case, the concrete factories and products are classes that realize the interface by implementing it.[1]

Example edit

This C++11 implementation is based on the pre C++98 implementation in the book.

#include <iostream> enum Direction {North, South, East, West}; class MapSite { public:  virtual void enter() = 0;  virtual ~MapSite() = default; }; class Room : public MapSite { public:  Room() :roomNumber(0) {}  Room(int n) :roomNumber(n) {}  void setSide(Direction d, MapSite* ms) {  std::cout << "Room::setSide " << d << ' ' << ms << '\n';  }  virtual void enter() {}  Room(const Room&) = delete; // rule of three  Room& operator=(const Room&) = delete; private:  int roomNumber; }; class Wall : public MapSite { public:  Wall() {}  virtual void enter() {} }; class Door : public MapSite { public:  Door(Room* r1 = nullptr, Room* r2 = nullptr)  :room1(r1), room2(r2) {}  virtual void enter() {}  Door(const Door&) = delete; // rule of three  Door& operator=(const Door&) = delete; private:  Room* room1;  Room* room2; }; class Maze { public:  void addRoom(Room* r) {  std::cout << "Maze::addRoom " << r << '\n';  }  Room* roomNo(int) const {  return nullptr;  } }; class MazeFactory { public:  MazeFactory() = default;  virtual ~MazeFactory() = default;  virtual Maze* makeMaze() const {  return new Maze;  }  virtual Wall* makeWall() const {  return new Wall;  }  virtual Room* makeRoom(int n) const {  return new Room(n);  }  virtual Door* makeDoor(Room* r1, Room* r2) const {  return new Door(r1, r2);  } }; // If createMaze is passed an object as a parameter to use to create rooms, walls, and doors, then you can change the classes of rooms, walls, and doors by passing a different parameter. This is an example of the Abstract Factory (99) pattern. class MazeGame { public:  Maze* createMaze(MazeFactory& factory) {  Maze* aMaze = factory.makeMaze();  Room* r1 = factory.makeRoom(1);  Room* r2 = factory.makeRoom(2);  Door* aDoor = factory.makeDoor(r1, r2);  aMaze->addRoom(r1);  aMaze->addRoom(r2);  r1->setSide(North, factory.makeWall());  r1->setSide(East, aDoor);  r1->setSide(South, factory.makeWall());  r1->setSide(West, factory.makeWall());  r2->setSide(North, factory.makeWall());  r2->setSide(East, factory.makeWall());  r2->setSide(South, factory.makeWall());  r2->setSide(West, aDoor);  return aMaze;  } }; int main() {  MazeGame game;  MazeFactory factory;  game.createMaze(factory); } 

The program output is:

Maze::addRoom 0x1317ed0 Maze::addRoom 0x1317ef0 Room::setSide 0 0x1318340 Room::setSide 2 0x1317f10 Room::setSide 1 0x1318360 Room::setSide 3 0x1318380 Room::setSide 0 0x13183a0 Room::setSide 2 0x13183c0 Room::setSide 1 0x13183e0 Room::setSide 3 0x1317f10 

See also edit

References edit

  1. ^ a b c Freeman, Eric; Robson, Elisabeth; Sierra, Kathy; Bates, Bert (2004). Hendrickson, Mike; Loukides, Mike (eds.). Head First Design Patterns (paperback). Vol. 1. O'REILLY. p. 156. ISBN 978-0-596-00712-6. Retrieved 2012-09-12.
  2. ^ a b Freeman, Eric; Robson, Elisabeth; Sierra, Kathy; Bates, Bert (2004). Hendrickson, Mike; Loukides, Mike (eds.). Head First Design Patterns (paperback). Vol. 1. O'REILLY. p. 162. ISBN 978-0-596-00712-6. Retrieved 2012-09-12.
  3. ^ "The Abstract Factory design pattern - Problem, Solution, and Applicability". w3sDesign.com. Retrieved 2017-08-11.
  4. ^ a b Gamma, Erich; Richard Helm; Ralph Johnson; John M. Vlissides (2009-10-23). . informIT. Archived from the original on 2012-05-16. Retrieved 2012-05-16. Object Creational: Abstract Factory: Intent: Provide an interface for creating families of related or dependent objects without specifying their concrete classes.{{cite web}}: CS1 maint: bot: original URL status unknown (link)
  5. ^ Veeneman, David (2009-10-23). . The Code Project. Archived from the original on 2011-02-21. Retrieved 2012-05-16. The factory insulates the client from changes to the product or how it is created, and it can provide this insulation across objects derived from very different abstract interfaces.{{cite web}}: CS1 maint: bot: original URL status unknown (link)
  6. ^ a b "Abstract Factory: Implementation". OODesign.com. Retrieved 2012-05-16.
  7. ^ "The Abstract Factory design pattern - Structure and Collaboration". w3sDesign.com. Retrieved 2017-08-12.

External links edit

  •   Media related to Abstract factory at Wikimedia Commons
  • Abstract Factory implementation example

abstract, factory, pattern, abstract, factory, pattern, software, engineering, design, pattern, that, provides, create, families, related, objects, without, imposing, their, concrete, classes, encapsulating, group, individual, factories, that, have, common, th. The abstract factory pattern in software engineering is a design pattern that provides a way to create families of related objects without imposing their concrete classes by encapsulating a group of individual factories that have a common theme without specifying their concrete classes 1 According to this pattern a client software component creates a concrete implementation of the abstract factory and then uses the generic interface of the factory to create the concrete objects that are part of the family The client does not know which concrete objects it receives from each of these internal factories as it uses only the generic interfaces of their products 1 This pattern separates the details of implementation of a set of objects from their general usage and relies on object composition as object creation is implemented in methods exposed in the factory interface 2 UML class diagram Use of this pattern enables interchangeable concrete implementations 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 Additionally higher levels of separation and abstraction can result in systems that are more difficult to debug and maintain Contents 1 Overview 2 Definition 3 Usage 4 Structure 4 1 UML diagram 4 2 Variants 5 Example 6 See also 7 References 8 External linksOverview editThe abstract factory design pattern is one of the 23 patterns described in the 1994 Design Patterns book It may be used to solve problems such as 3 How can an application be independent of how its objects are created How can a class be independent of how the objects that it requires are created How can families of related or dependent objects be created Creating objects directly within the class that requires the objects is inflexible Doing so commits the class to particular objects and makes it impossible to change the instantiation later without changing the class It prevents the class from being reusable if other objects are required and it makes the class difficult to test because real objects cannot be replaced with mock objects A factory is the location of a concrete class in the code at which objects are constructed Implementation of the pattern intends to insulate the creation of objects from their usage and to create families of related objects without depending on their concrete classes 2 This allows for new derived types to be introduced with no change to the code that uses the base class The pattern describes how to solve such problems Encapsulate object creation in a separate factory object by defining and implementing an interface for creating objects Delegate object creation to a factory object instead of creating objects directly This makes a class independent of how its objects are created A class may be configured with a factory object which it uses to create objects and the factory object can be exchanged at runtime See also UML diagramDefinition editDesign Patterns describes the abstract factory pattern as an interface for creating families of related or dependent objects without specifying their concrete classes 4 Usage editThe factory determines the concrete type of object to be created and it is here that the object is actually created However the factory only returns a reference in Java for instance by the new operator or a pointer of an abstract type to the created concrete object This insulates client code from object creation by having clients request that a factory object create an object of the desired abstract type and return an abstract pointer to the object 5 An example is 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 such asFancyDocumentCreator or ModernDocumentCreator each with a different implementation of createLetter and createResume that would create corresponding objects such asFancyLetter or ModernResume Each of these products is derived from a simple abstract class such asLetter or Resume of which the client is aware The client code would acquire 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 The client would only need to know how to handle the abstract Letter or Resume class not the specific version that was created by the concrete factory As the factory only returns a reference or a pointer to an abstract type the client code that requested the object from the factory is not aware of and is not burdened by the actual concrete type of the object that was created However the abstract factory knows the type of a concrete object and hence a concrete factory For instance the factory may read the object s type from a configuration file The client has no need to specify the type as the type has already been specified in the configuration file In particular this means The client code has no knowledge of the concrete type not needing to include any header files or class declarations related to it 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 interfaces 6 Adding new concrete types is performed by modifying the client code to use a different factory a modification that 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 Doing so would require changing every location in the code where a new object is created as well as ensuring that all such code locations have knowledge of the new concrete type for example by including a concrete class header file If all factory objects are stored globally in a singleton object and all client code passes through the singleton to access the proper factory for object creation then changing factories is as easy as changing the singleton object 6 Structure editUML diagram edit nbsp A sample UML class and sequence diagram for the abstract factory design pattern 7 In the above UML class diagram the Client class that requires ProductA and ProductB objects does not instantiate the ProductA1 and ProductB1 classes directly Instead the Client refers to the AbstractFactory interface for creating objects which makes the Client independent of how the objects are created which concrete classes are instantiated The Factory1 class implements the AbstractFactory interface by instantiating the ProductA1 and ProductB1 classes The UML sequence diagram shows the runtime interactions The Client object calls createProductA on the Factory1 object which creates and returns a ProductA1 object Thereafter the Client calls createProductB on Factory1 which creates and returns a ProductB1 object Variants edit The original structure of the abstract factory pattern as defined in 1994 in Design Patterns is based on abstract classes for the abstract factory and the abstract products to be created The concrete factories and products are classes that specialize the abstract classes using inheritance 4 A more recent structure of the pattern is based on interfaces that define the abstract factory and the abstract products to be created This design uses native support for interfaces or protocols in mainstream programming languages to avoid inheritance In this case the concrete factories and products are classes that realize the interface by implementing it 1 Example editThis C 11 implementation is based on the pre C 98 implementation in the book include lt iostream gt enum Direction North South East West class MapSite public virtual void enter 0 virtual MapSite default class Room public MapSite public Room roomNumber 0 Room int n roomNumber n void setSide Direction d MapSite ms std cout lt lt Room setSide lt lt d lt lt lt lt ms lt lt n virtual void enter Room const Room amp delete rule of three Room amp operator const Room amp delete private int roomNumber class Wall public MapSite public Wall virtual void enter class Door public MapSite public Door Room r1 nullptr Room r2 nullptr room1 r1 room2 r2 virtual void enter Door const Door amp delete rule of three Door amp operator const Door amp delete private Room room1 Room room2 class Maze public void addRoom Room r std cout lt lt Maze addRoom lt lt r lt lt n Room roomNo int const return nullptr class MazeFactory public MazeFactory default virtual MazeFactory default virtual Maze makeMaze const return new Maze virtual Wall makeWall const return new Wall virtual Room makeRoom int n const return new Room n virtual Door makeDoor Room r1 Room r2 const return new Door r1 r2 If createMaze is passed an object as a parameter to use to create rooms walls and doors then you can change the classes of rooms walls and doors by passing a different parameter This is an example of the Abstract Factory 99 pattern class MazeGame public Maze createMaze MazeFactory amp factory Maze aMaze factory makeMaze Room r1 factory makeRoom 1 Room r2 factory makeRoom 2 Door aDoor factory makeDoor r1 r2 aMaze gt addRoom r1 aMaze gt addRoom r2 r1 gt setSide North factory makeWall r1 gt setSide East aDoor r1 gt setSide South factory makeWall r1 gt setSide West factory makeWall r2 gt setSide North factory makeWall r2 gt setSide East factory makeWall r2 gt setSide South factory makeWall r2 gt setSide West aDoor return aMaze int main MazeGame game MazeFactory factory game createMaze factory The program output is Maze addRoom 0x1317ed0 Maze addRoom 0x1317ef0 Room setSide 0 0x1318340 Room setSide 2 0x1317f10 Room setSide 1 0x1318360 Room setSide 3 0x1318380 Room setSide 0 0x13183a0 Room setSide 2 0x13183c0 Room setSide 1 0x13183e0 Room setSide 3 0x1317f10See also editConcrete class Factory method pattern Object creation Software design patternReferences edit a b c Freeman Eric Robson Elisabeth Sierra Kathy Bates Bert 2004 Hendrickson Mike Loukides Mike eds Head First Design Patterns paperback Vol 1 O REILLY p 156 ISBN 978 0 596 00712 6 Retrieved 2012 09 12 a b Freeman Eric Robson Elisabeth Sierra Kathy Bates Bert 2004 Hendrickson Mike Loukides Mike eds Head First Design Patterns paperback Vol 1 O REILLY p 162 ISBN 978 0 596 00712 6 Retrieved 2012 09 12 The Abstract Factory design pattern Problem Solution and Applicability w3sDesign com Retrieved 2017 08 11 a b Gamma Erich Richard Helm Ralph Johnson John M Vlissides 2009 10 23 Design Patterns Abstract Factory informIT Archived from the original on 2012 05 16 Retrieved 2012 05 16 Object Creational Abstract Factory Intent Provide an interface for creating families of related or dependent objects without specifying their concrete classes a href Template Cite web html title Template Cite web cite web a CS1 maint bot original URL status unknown link Veeneman David 2009 10 23 Object Design for the Perplexed The Code Project Archived from the original on 2011 02 21 Retrieved 2012 05 16 The factory insulates the client from changes to the product or how it is created and it can provide this insulation across objects derived from very different abstract interfaces a href Template Cite web html title Template Cite web cite web a CS1 maint bot original URL status unknown link a b Abstract Factory Implementation OODesign com Retrieved 2012 05 16 The Abstract Factory design pattern Structure and Collaboration w3sDesign com Retrieved 2017 08 12 External links edit nbsp The Wikibook Computer Science Design Patterns has a page on the topic of Abstract Factory in action nbsp Media related to Abstract factory at Wikimedia Commons Abstract Factory Abstract Factory implementation example Retrieved from https en wikipedia org w index php title Abstract factory pattern amp oldid 1220018051, wikipedia, wiki, book, books, library,

article

, read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.