This is a forked of the original Do package with an extension to allow dynamically injecting depdencies to a struct through reflection.
⚙️ A dependency injection toolkit based on Go 1.18+ Generics.
This library implements the Dependency Injection design pattern. It may replace the uber/dig
fantastic package in simple Go projects. samber/do
uses Go 1.18+ generics and therefore is typesafe.
- Service registration
- Service invocation
- Service health check
- Service shutdown
- Service lifecycle hooks
- Named or anonymous services
- Eagerly or lazily loaded services
- Dependency graph resolution
- Default Container
- Container cloning
- Service override
- Lightweight, no dependencies
- No code generation
🚀 Services are loaded in invocation order.
🕵️ Service health can be checked individually or globally. Services implementing di.Healthcheckable
interface will be called via di.HealthCheck[type]()
or Container.HealthCheck()
.
🛑 Services can be shutdowned properly, in back-initialization order. Services implementing di.Shutdownable
interface will be called via di.Shutdown[type]()
or Container.Shutdown()
.
We added a method to allow injecting dependencies dynamically through struct reflection.
Declare a service, and add a di:"<name>:
tag to the field where you want the container to inject the corresponding dependency.
// main.go
container := New()
repository := newRepository()
redisClient := newRedisClient()
ProvideValue[Repository](container, repository)
ProvideValue[RedisClient](container, redisClient)
// service.go
type service struct {
Repository Repository `di:"repository"`
RedisClient RedisClient `di:"redisClient"`
}
func newService(
container *di.Container
) (&service, error) {
s := service{}
err := container.Inject(&s)
return s, err
}
go get github.com/cryptoniumX/di@v1
This library is v1 and follows SemVer strictly.
No breaking changes will be made to exported APIs before v2.0.0.
This library has no dependencies except the Go std lib.
You can import do
using:
import (
"github.com/cryptoniumX/di"
)
Then instanciate services:
func main() {
container := di.New()
// provides CarService
di.Provide(container, NewCarService)
// provides EngineService
di.Provide(container, NewEngineService)
car := di.MustInvoke[*CarService](container)
car.Start()
// prints "car starting"
di.HealthCheck[EngineService](container)
// returns "engine broken"
// container.ShutdownOnSIGTERM() // will block until receiving sigterm signal
container.Shutdown()
// prints "car stopped"
}
Services:
type EngineService interface{}
func NewEngineService(i *di.Container) (EngineService, error) {
return &engineServiceImplem{}, nil
}
type engineServiceImplem struct {}
// [Optional] Implements di.Healthcheckable.
func (c *engineServiceImplem) HealthCheck() error {
return fmt.Errorf("engine broken")
}
func NewCarService(i *di.Container) (*CarService, error) {
engine := di.MustInvoke[EngineService](i)
car := CarService{Engine: engine}
return &car, nil
}
type CarService struct {
Engine EngineService
}
func (c *CarService) Start() {
println("car starting")
}
// [Optional] Implements di.Shutdownable.
func (c *CarService) Shutdown() error {
println("car stopped")
return nil
}
GoDoc: https://godoc.org/github.com/cryptoniumX/di
Container:
- di.New
- di.NewWithOpts
- di.HealthCheck
- di.HealthCheckNamed
- di.Shutdown
- di.ShutdownNamed
- di.MustShutdown
- di.MustShutdownNamed
Service registration:
Service invocation:
Service override:
Build a container for your components. Container
is responsible for building services in the right order, and managing service lifecycle.
container := di.New()
Or use nil
as the default Container:
di.Provide(nil, func (i *Container) (int, error) {
return 42, nil
})
service := di.MustInvoke[int](nil)
You can check health of services implementing func HealthCheck() error
.
type DBService struct {
db *sql.DB
}
func (s *DBService) HealthCheck() error {
return s.db.Ping()
}
container := di.New()
di.Provide(container, ...)
di.Invoke(container, ...)
statuses := container.HealthCheck()
// map[string]error{
// "*DBService": nil,
// }
De-initialize all compoments properly. Services implementing func Shutdown() error
will be called synchronously in back-initialization order.
type DBService struct {
db *sql.DB
}
func (s *DBService) Shutdown() error {
return s.db.Close()
}
container := di.New()
di.Provide(container, ...)
di.Invoke(container, ...)
// shutdown all services in reverse order
container.Shutdown()
List services:
type DBService struct {
db *sql.DB
}
container := di.New()
di.Provide(container, ...)
println(di.ListProvidedServices())
// output: []string{"*DBService"}
di.Invoke(container, ...)
println(di.ListInvokedServices())
// output: []string{"*DBService"}
Services can be registered in multiple way:
- with implicit name (struct or interface name)
- with explicit name
- eagerly
- lazily
Anonymous service, loaded lazily:
type DBService struct {
db *sql.DB
}
di.Provide[DBService](container, func(i *container) (*DBService, error) {
db, err := sql.Open(...)
if err != nil {
return nil, err
}
return &DBService{db: db}, nil
})
Named service, loaded lazily:
type DBService struct {
db *sql.DB
}
di.ProvideNamed(container, "dbconn", func(i *container) (*DBService, error) {
db, err := sql.Open(...)
if err != nil {
return nil, err
}
return &DBService{db: db}, nil
})
Anonymous service, loaded eagerly:
type Config struct {
uri string
}
di.ProvideValue[Config](container, Config{uri: "postgres://user:pass@host:5432/db"})
Named service, loaded eagerly:
type Config struct {
uri string
}
di.ProvideNamedValue(container, "configuration", Config{uri: "postgres://user:pass@host:5432/db"})
Loads anonymous service:
type DBService struct {
db *sql.DB
}
dbService, err := di.Invoke[DBService](container)
Loads anonymous service or panics if service was not registered:
type DBService struct {
db *sql.DB
}
dbService := di.MustInvoke[DBService](container)
Loads named service:
config, err := di.InvokeNamed[Config](container, "configuration")
Loads named service or panics if service was not registered:
config := di.MustInvokeNamed[Config](container, "configuration")
Check health of anonymous service:
type DBService struct {
db *sql.DB
}
dbService, err := di.Invoke[DBService](container)
err = di.HealthCheck[DBService](container)
Check health of named service:
config, err := di.InvokeNamed[Config](container, "configuration")
err = di.HealthCheckNamed(container, "configuration")
Unloads anonymous service:
type DBService struct {
db *sql.DB
}
dbService, err := di.Invoke[DBService](container)
err = di.Shutdown[DBService](container)
Unloads anonymous service or panics if service was not registered:
type DBService struct {
db *sql.DB
}
dbService := di.MustInvoke[DBService](container)
di.MustShutdown[DBService](container)
Unloads named service:
config, err := di.InvokeNamed[Config](container, "configuration")
err = di.ShutdownNamed(container, "configuration")
Unloads named service or panics if service was not registered:
config := di.MustInvokeNamed[Config](container, "configuration")
di.MustShutdownNamed(container, "configuration")
By default, providing a service twice will panic. Service can be replaced at runtime using di.Override
helper.
di.Provide[Vehicle](container, func (i *di.Container) (Vehicle, error) {
return &CarImplem{}, nil
})
di.Override[Vehicle](container, func (i *di.Container) (Vehicle, error) {
return &BusImplem{}, nil
})
2 lifecycle hooks are available in Containers:
- After registration
- After shutdown
container := di.NewWithOpts(&di.ContainerOpts{
HookAfterRegistration: func(container *di.Container, serviceName string) {
fmt.Printf("Service registered: %s\n", serviceName)
},
HookAfterShutdown: func(container *di.Container, serviceName string) {
fmt.Printf("Service stopped: %s\n", serviceName)
},
Logf: func(format string, args ...any) {
log.Printf(format, args...)
},
})
Cloned Container have same service registrations as it's parent, but it doesn't share invoked service state.
Clones are useful for unit testing by replacing some services to mocks.
var container *di.Container;
func init() {
di.Provide[Service](container, func (i *di.Container) (Service, error) {
return &RealService{}, nil
})
di.Provide[*App](container, func (i *di.Container) (*App, error) {
return &App{i.MustInvoke[Service](i)}, nil
})
}
func TestService(t *testing.T) {
i := container.Clone()
defer i.Shutdown()
// replace Service to MockService
di.Override[Service](i, func (i *di.Container) (Service, error) {
return &MockService{}, nil
}))
app := di.Invoke[*App](i)
// do unit testing with mocked service
}
// @TODO
- Ping me on twitter @samuelberthe (DMs, mentions, whatever :))
- Fork the project
- Fix open issues or request new features
Don't hesitate ;)
docker-compose run --rm dev
# Install some dev dependencies
make tools
# Run tests
make test
# or
make watch-test
Give a ⭐️ if this project helped you!
Copyright © 2022 Samuel Berthe.
This project is MIT licensed.