Updated simple factory example.

This commit is contained in:
Ian Dinwoodie
2019-04-27 22:56:12 -04:00
parent c92b87f9cf
commit cf5f7b7f23

View File

@@ -108,6 +108,7 @@ First of all we have a door base class and a wooden door derived class:
class Door class Door
{ {
public: public:
typedef std::shared_ptr<Door> ptr_t;
virtual float getWidth(void) = 0; virtual float getWidth(void) = 0;
virtual float getHeight(void) = 0; virtual float getHeight(void) = 0;
}; };
@@ -141,9 +142,10 @@ Then we have our door factory that makes the door and returns it:
```cpp ```cpp
class DoorFactory class DoorFactory
{ {
static Door makeDoor(float width, float height) public:
static Door::ptr_t makeDoor(float width, float height)
{ {
return WoodenDoor(width, height); return std::make_shared<WoodenDoor>(width, height);
} }
}; };
``` ```
@@ -152,13 +154,20 @@ Here is how this can be used:
```cpp ```cpp
// Make a door with dimensions 100x200. // Make a door with dimensions 100x200.
Door door = DoorFactory::makeDoor(100, 200); Door::ptr_t door = DoorFactory::makeDoor(100, 200);
std::cout << "Width: " << door.getWidth() << std::endl; // Output: width = 100
std::cout << "Height: " << door.getHeight() << std::endl; std::cout << "width = " << door->getWidth() << std::endl;
// Output: height = 200
std::cout << "height = " << door->getHeight() << std::endl;
// We can use the factory again to make a door with dimensions 50x100. // We can use the factory again to make a door with dimensions 50x100.
Door door2 = DoorFactory::makeDoor(50, 100); Door::ptr_t door2 = DoorFactory::makeDoor(50, 100);
// Output: width = 50
std::cout << "width = " << door2->getWidth() << std::endl;
// Output: height = 100
std::cout << "height = " << door2->getHeight() << std::endl;
``` ```
#### When To Use #### When To Use