Last active
January 22, 2024 10:54
-
-
Save vaskoz/10073335 to your computer and use it in GitHub Desktop.
Golang Builder pattern
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
package main | |
import "strconv" | |
import "fmt" | |
type Color string | |
type Make string | |
type Model string | |
const ( | |
BLUE Color = "blue" | |
RED = "red" | |
) | |
type Car interface { | |
Drive() string | |
Stop() string | |
} | |
type CarBuilder interface { | |
TopSpeed(int) CarBuilder | |
Paint(Color) CarBuilder | |
Build() Car | |
} | |
type carBuilder struct { | |
speedOption int | |
color Color | |
} | |
func (cb *carBuilder) TopSpeed(speed int) CarBuilder { | |
cb.speedOption = speed | |
return cb | |
} | |
func (cb *carBuilder) Paint(color Color) CarBuilder { | |
cb.color = color | |
return cb | |
} | |
func (cb *carBuilder) Build() Car { | |
return &car{ | |
topSpeed: cb.speedOption, | |
color: cb.color, | |
} | |
} | |
func New() CarBuilder { | |
return &carBuilder{} | |
} | |
type car struct { | |
topSpeed int | |
color Color | |
} | |
func (c *car) Drive() string { | |
return "Driving at speed: " + strconv.Itoa(c.topSpeed) | |
} | |
func (c *car) Stop() string { | |
return "Stopping a " + string(c.color) + " car" | |
} | |
func main() { | |
builder := New() | |
car := builder.TopSpeed(50).Paint(BLUE).Build() | |
fmt.Println(car.Drive()) | |
fmt.Println(car.Stop()) | |
} |
Best small example for explain builder design pattern in Go, good job. By the way! what is the purpose of Make in line 7?
Make is extra, probably left over from some previous refactor. Its not needed in the code atm.
multilines are possible:
builder := New().TopSpeed(50).
Paint(BLUE)
car := builder.Build()
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
@gocs since each
CarBuilder
method exceptBuild
returns aCarBuilder
type, the most straightforward (yet verbose) approach that comes to mind for multiline builders would be re-assigning to the variablebuilder
at the desired line length.Example: