diff --git a/README.md b/README.md index 7d9f5f7..113e971 100644 --- a/README.md +++ b/README.md @@ -15,7 +15,7 @@ A curated collection of idiomatic design & application patterns for Go language. | Pattern | Description | Status | |:-------:|:----------- |:------:| -| [Abstract Factory](/creational/abstract_factory.md) | Provides an interface for creating families of releated objects | ✘ | +| [Abstract Factory](/creational/abstract-factory.md) | Provides an interface for creating families of releated objects | ✔ | | [Builder](/creational/builder.md) | Builds a complex object using simple objects | ✔ | | [Factory Method](/creational/factory.md) | Defers instantiation of an object to a specialized function for creating instances | ✔ | | [Object Pool](/creational/object-pool.md) | Instantiates and maintains a group of objects instances of the same type | ✔ | diff --git a/creational/abstract-factory.go b/creational/abstract-factory.go new file mode 100644 index 0000000..c8889ca --- /dev/null +++ b/creational/abstract-factory.go @@ -0,0 +1,86 @@ +//Source code adapted from https://en.wikipedia.org/wiki/Abstract_factory_pattern +//Added "otherOS" in case this code is executed on other os than windows, mac os x +package main + +import ( + "fmt" + "runtime" +) + +type iButton interface { + paint() +} + +type iGUIFactory interface { + createButton() iButton +} + +type winFactory struct { +} + +func (WF *winFactory) createButton() iButton { + return newWinButton() +} + +type osxFactory struct { +} + +func (WF *osxFactory) createButton() iButton { + return newOSXButton() +} + +type otherOSFactory struct { +} + +func (WF *otherOSFactory) createButton() iButton { + return newOtherOSButton() +} + +type winButton struct { +} + +func (wb *winButton) paint() { + fmt.Println("WinButton") +} + +func newWinButton() *winButton { + return &winButton{} +} + +type osxButton struct { +} + +func (ob *osxButton) paint() { + fmt.Println("OSXButton") +} + +func newOSXButton() *osxButton { + return &osxButton{} +} + +type otherOSButton struct { +} + +func (ob *otherOSButton) paint() { + fmt.Println("OtherOSButton") +} + +func newOtherOSButton() *otherOSButton { + return &otherOSButton{} +} + +func main() { + var factory iGUIFactory + + switch runtime.GOOS { + case "windows": + factory = &winFactory{} + case "darwin": + factory = &osxFactory{} + default: + factory = &otherOSFactory{} + } + + button := factory.createButton() + button.paint() +} diff --git a/creational/abstract-factory.md b/creational/abstract-factory.md new file mode 100644 index 0000000..e9b617b --- /dev/null +++ b/creational/abstract-factory.md @@ -0,0 +1,7 @@ +# Abstract Factory Pattern + +The [abstract factory design pattern](https://en.wikipedia.org/wiki/Abstract_factory_pattern) provides an interface for creating families of releated objects + +# Implementation and Example + +An example with implementation and usage can be found in [abstract-factory.go](abstract-factory.go). \ No newline at end of file