forked from tmrts/go-patterns
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
creational/builder: implement the builder pattern
- Loading branch information
Showing
2 changed files
with
62 additions
and
1 deletion.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,61 @@ | ||
# Builder Pattern | ||
|
||
Builder pattern separates the construction of a complex object from its | ||
representation so that the same construction process can create different | ||
representations. | ||
|
||
In Go, normally a configuration struct is used to achieve the same behavior, | ||
however passing a struct to the builder method fills the code with boilerplate | ||
`if cfg.Field != nil {...}` checks. | ||
|
||
## Implementation | ||
|
||
```go | ||
package car | ||
|
||
type Speed float64 | ||
|
||
const ( | ||
MPH Speed = 1 | ||
KPH = 1.60934 | ||
) | ||
|
||
type Color string | ||
|
||
const ( | ||
BlueColor Color = "blue" | ||
GreenColor = "green" | ||
RedColor = "red" | ||
) | ||
|
||
type Wheels string | ||
|
||
const ( | ||
SportsWheels Wheels = "sports" | ||
SteelWheels = "steel" | ||
) | ||
|
||
type Builder interface { | ||
Color(Color) Builder | ||
Wheels(Wheels) Builder | ||
TopSpeed(Speed) Builder | ||
Build() Interface | ||
} | ||
|
||
type Interface interface { | ||
Drive() error | ||
Stop() error | ||
} | ||
``` | ||
|
||
## Usage | ||
|
||
```go | ||
assembly := car.NewBuilder().Paint(car.RedColor) | ||
|
||
familyCar := assembly.Wheels(car.SportsWheels).TopSpeed(50 * car.MPH).Build() | ||
familyCar.Drive() | ||
|
||
sportsCar := assembly.Wheels(car.SteelWheels).TopSpeed(150 * car.MPH).Build() | ||
sportsCar.Drive() | ||
``` |