dingo

package module
v0.2.10 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Nov 4, 2022 License: MIT Imports: 6 Imported by: 142

README

Dingo

Go Report Card GoDoc Tests

Dependency injection for go

Hello Dingo

Dingo works very similar to Guice

Basically one binds implementations/factories to interfaces, which are then resolved by Dingo.

Given that Dingo's idea is based on Guice we use similar examples in this documentation:

The following example shows a BillingService with two injected dependencies. Please note that Go's nature does not allow constructors, and does not allow decorations/annotations beside struct-tags, thus, we only use struct tags (and later arguments for providers).

Also, Go does not have a way to reference types (like Java's Something.class) we use either pointers or nil and cast it to a pointer to the interface we want to specify: (*Something)(nil). Dingo then knows how to dereference it properly and derive the correct type Something. This is not necessary for structs, where we can just use the null value via Something{}.

See the example folder for a complete example.

package example

type BillingService struct {
	processor CreditCardProcessor
	transactionLog TransactionLog
}

func (billingservice *BillingService) Inject(processor CreditCardProcessor, transactionLog TransactionLog) {
	billingservice.processor = processor
	billingservice.transactionLog = transactionLog
}

func (billingservice *BillingService) ChargeOrder(order PizzaOrder, creditCard CreditCard) Receipt {
	// ...
}

We want the BillingService to get certain dependencies, and configure this in a BillingModule which implements dingo.Module:

package example

type BillingModule struct {}

func (module *BillingModule) Configure(injector *dingo.Injector) {
	// This tells Dingo that whenever it sees a dependency on a TransactionLog, 
	// it should satisfy the dependency using a DatabaseTransactionLog. 
	injector.Bind(new(TransactionLog)).To(DatabaseTransactionLog{})

	// Similarly, this binding tells Dingo that when CreditCardProcessor is used in
	// a dependency, that should be satisfied with a PaypalCreditCardProcessor. 
	injector.Bind(new(CreditCardProcessor)).To(PaypalCreditCardProcessor{})
}

Requesting injection

Every instance that is created through the container can use injection.

Dingo supports two ways of requesting dependencies that should be injected:

  • usage of struct tags to allow structs to request injection into fields. This should be used for public fields.
  • implement a public Inject(...) method to request injections of private fields. Dingo calls this method automatically and passes the requested injections.

For every requested injection (unless an exception applies) Dingo does the following:

  • Is there a binding? If so: delegate to the binding
    • Is the binding in a certain scope (Singleton)? If so, delegate to scope (might result in a new loop)
    • Binding is bound to an instance: inject instance
    • Binding is bound to a provider: call provider
    • Binding is bound to a type: request injection of this type (might return in a new loop to resolve the binding)
  • No binding? Try to create (only possible for concrete types, not interfaces or functions)

Example: Here is another example using the Inject method for private fields

package example

type MyBillingService struct {
	processor CreditCardProcessor
	accountId string
}

func (m *MyBillingService) Inject(
	processor CreditCardProcessor,
	config *struct {
		AccountId  string `inject:"config:myModule.myBillingService.accountId"`
	},
) {
	m.processor = CreditCardProcessor
	m.accountId = config.AccountId
}
Usage of Providers

Dingo allows to request the injection of provider instead of instances. A "Provider" for dingo is a function that return a new Instance of a certain type.

package example

type pizzaProvider func() Pizza

func (s *Service) Inject(provider pizzaProvider) {
	s.provider = provider
}

If there is no concrete binding to the type func() Pizza, then instead of constructing one Pizza instance Dingo will create a new function which, on every call, will return a new instance of Pizza.

The type must be of func() T, a function without any arguments which returns a type, which again has a binding.

This allows to lazily create new objects whenever needed, instead of requesting the Dingo injector itself.

You can use Providers and call them to always get a new instance. Dingo will provide you with an automatic implementation of a Provider if you did not bind a specific one.

Use a Provider instead of requesting the Type directly when:

  • for lazy binding
  • if you need new instances on demand
  • In general, it is best practice using a Provider for everything that has a state that might be changed. This way you will avoid undesired side effects. That is especially important for dependencies in objects that are shared between requests - for example a controller!

Example 1: This is the only code required to request a Provider as a dependency:

MyStructProvider func() *MyStruct
MyStruct         struct {}

MyService struct {
	MyStructProvider MyStructProvider `inject:""`
}

Example 2:

package example

func createSomething(thing SomethingElse) Something{
	return &MySomething{somethingElse: thing}
}

injector.Bind(new(Something)).ToProvider(createSomething)

type somethingProvider func() Something

type service struct {
	provider somethingProvider
}

will essentially call createSomething(new(SomethingElse)) everytime SomethingProvider() is called, passing the resulting instance through the injection to finalize uninjected fields.

Optional injection

An injection struct tag can be marked as optional by adding the suffix ,optional to it. This means that for interfaces, slices, pointers etc where dingo can not resolve a concrete type, the nil-type is injected.

You can check via if my.Prop == nil if this is nil.

Bindings

Dingo uses bindings to express dependencies resolutions, and will panic if there is more than one binding for a type with the same name (or unnamed), unless you use multibindings.

Bind

Bind creates a new binding, and tells Dingo how to resolve the type when it encounters a request for this type. Bindings can chain, but need to implement the correct interfaces.

injector.Bind(new(Something))
AnnotatedWith

By default a binding is unnamed, and thus requested with the inject:"" tag.

However, you can name bindings to have more concrete kinds of it. Using AnnotatedWith you can specify the name:

injector.Bind((*Something)(nil)).AnnotatedWith("myAnnotation")

It is requested via the inject:"myAnnotation" tag. For example:

struct {
	PaypalPaymentProcessor PaymentProcessor `inject:"Paypal"`
}
To

To defines which type should be created when this type is requested. This can be an Interface which implements to one it is bound to, or a concrete type. The type is then created via reflect.New.

injector.Bind(new(Something)).To(MyType{})
ToProvider

If you want a factory to create your types then you rather use ToProvider instead of To.

ToProvider is a function which returns an instance (which again will go through Dingo to fill dependencies).

Also, the provider can request arguments from Dingo which are necessary to construct the bounded type. If you need named arguments (e.g. a string instance annotated with a configuration value) you need to request an instance of an object with these annotations, because Go does not allow to pass any meta-information on function arguments.

func MyTypeProvider(se SomethingElse) *MyType {
	return &MyType{
		Special: se.DoSomething(),
	}
}

injector.Bind(new(Something)).ToProvider(MyTypeProvider)

This example will make Dingo call MyTypeProvider and pass in an instance of SomethingElse as it's first argument, then take the result of *MyType as the value for Something.

ToProvider takes precedence over To.

ToInstance

For situations where you have one, and only one, concrete instance you can use ToInstance to bind something to the concrete instance. This is not the same as a Singleton! (Even though the resulting behaviour is very similar.)

var myInstance = new(MyType)
myInstance.Connect(somewhere)
injector.Bind(new(Something)).ToInstance(myInstance)

You can also bind an instance it to a struct obviously, not only to interfaces.

ToInstance takes precedence over both To and ToProvider.

In (Singleton scopes)

If really necessary it is possible to use singletons

.AsEagerSingleton() binds as a singleton, and loads it when the application is initialized
.In(dingo.Singleton) makes it a global singleton
.In(dingo.ChildSingleton) makes it a singleton limited to the current injector

In allows us to bind in a scope, making the created instances scoped in a certain way.

Currently, Dingo only allows to bind to dingo.Singleton and dingo.ChildSingleton.

injector.Bind(new(Something)).In(dingo.Singleton).To(MyType{})
dingo.Singleton

The dingo.Singleton scope makes sure a dependency is only resolved once, and the result is reused. Because the Singleton needs synchronisation for types over multiple concurrent goroutines and make sure that a Singleton is only created once, the initial creation can be costly and also the injection of a Singleton is always taking more resources than creation of an immutable new object.

The synchronisation is done on multiple levels, a first test tries to find the singleton, if that is not possible a lock-mechanism via a scoped Mutex takes care of delegating the concrete creation to one goroutine via a scope+type specific Mutex which then generates the Singleton and makes it available to other currently waiting injection requests, as well as future injection requests.

By default, it is advised to not use Singletons whenever possible, and rather use immutable objects you inject whenever you need them.

dingo.ChildSingleton

The ChildSingleton is just another Singleton (actually of the same type), but dingo will create a new one for every derived child injector.

This allows frameworks like Flamingo to distinguish at a root level between singleton scopes, e.g. for multi-page setups where we need a wide scope for routers.

Since ChildSingleton is very similar to Singleton you should only use it with care.

AsEagerSingleton

Singleton creation is always costly due to synchronisation overhead, therefore Dingo bindings allow to mark a binding AsEagerSingleton.

This makes sure the Singleton is created as soon as possible, before the rest of the Application runs. AsEagerSingleton implies In(dingo.Singleton).

injector.Bind(new(Something)).To(MyType{}).AsEagerSingleton()

It is also possible to bind a concrete type without To:

injector.Bind(MyType{}).AsEagerSingleton()

Binding this type as an eager singleton inject the singleton instance whenever MyType is requested. MyType is a concrete type (struct) here, so we can use this mechanism to create an instance explicitly before the application is run.

Override

In rare cases you might have to override an existing binding, which can be done with Override:

injector.Override(new(Something), "").To(MyBetterType{})

Override also returns a binding such as Bind, but removes the original binding.

The second argument sets the annotation if you want to override a named binding.

MultiBindings

MultiBindings provide a way of binding multiple implementations of a type to a type, making the injection a list.

Essentially this means that multiple modules are able to register for a type, and a user of this type can request an injection of a slice []T to get a list of all registered bindings.

injector.BindMulti(new(Something)).To(MyType1{})
injector.BindMulti(new(Something)).To(MyType2{})

struct {
	List []Something `inject:""`  // List is a slice of []Something{MyType1{}, MyType2{}}
}

MultiBindings are used to allow multiple modules to register for a certain type, such as a list of encoders, subscribers, etc.

Please note that MultiBindings are not always a clear pattern, as it might hide certain complexity.

Usually it is easier to request some kind of registry in your module, and then register explicitly.

Bind maps

Similar to Multibindings, but with a key instead of a list

MyService struct {
	Ifaces map[string]Iface `inject:""`
}

injector.BindMap(new(Iface), "impl1").To(IfaceImpl{})
injector.BindMap(new(Iface), "impl2").To(IfaceImpl2{})
Binding basic types

Dingo allows binding values to int, string etc., such as with any other type.

This can be used to inject configuration values.

Flamingo makes an annotated binding of every configuration value in the form of:

var Configuration map[string]interface{}

for k, v := range Configuration {
	injector.Bind(v).AnnotatedWith("config:" + k).ToInstance(v)
}

In this case Dingo learns the actual type of v (such as string, bool, int) and provides the annotated injection.

Later this can be used via

struct {
	ConfigParam string `inject:"config:myconfigParam"`
}

Dingo Interception

Dingo allows modules to bind interceptors for interfaces.

Essentially this means that whenever the injection of a certain type is happening, the interceptor is injected instead with the actual injection injected into the interceptor's first field. This mechanism can only work for interface interception.

Multiple interceptors stack upon each other.

Interception should be used with care!

func (m *Module) Configure(injector *dingo.Injector) {
	injector.BindInterceptor(new(template.Engine), TplInterceptor{})
	injector.BindInterceptor(new(template.Function), FunctionInterceptor{})
}

type (
	TplInterceptor struct {
		template.Engine
	}

	FunctionInterceptor struct {
		template.Function
	}
)

func (t *TplInterceptor) Render(context web.Context, name string, data interface{}) io.Reader {
	log.Println("Before Rendering", name)
	start := time.Now()
	r := t.Engine.Render(context, name, data)
	log.Println("After Rendering", time.Since(start))
	return r
}

func (f *FunctionInterceptor) Name() string {
	funcname := f.Function.Name()
	log.Println("Function", funcname, "used")
	return funcname
}

Initializing Dingo

At the topmost level the injector is created and used in the following way:

package main

import "flamingo.me/dingo"

func main() {
	injector, err := dingo.NewInjector()
	if err != nil {
		panic(err)
	}

	// The injector can be initialized by modules:
	injector.InitModules(new(BillingModule))

	// Now that we've got the injector, we can build objects.
	// We get a new instance, and cast it accordingly:
	instance, err := injector.GetInstance(new(BillingService))
	if err != nil {
		panic(err)
	}
    billingService := instance.(BillingService) 
	//...
}

Dingo vs. Wire

Recently https://github.com/google/go-cloud/tree/master/wire popped out in the go ecosystem, which seems to be a great choice, also because it supports compile time dependency injection. However, when Dingo was first introduced wire was not a thing, and wire still lacks features dingo provides.

https://gocover.io/github.com/i-love-flamingo/dingo

ModuleFunc

Dingo has a wrapper for func(*Injector) called ModuleFunc. It is possible to wrap a function with the ModuleFunc to become a Module. This is similar to the http Packages HandlerFunc mechanism and allows to save code and easier set up small projects.

Documentation

Index

Constants

View Source
const (
	// INIT state
	INIT = iota
	// DEFAULT state
	DEFAULT
)

Variables

View Source
var ErrInvalidInjectReceiver = errors.New("usage of 'Inject' method with struct receiver is not allowed")

Functions

func EnableCircularTracing

func EnableCircularTracing()

EnableCircularTracing activates dingo's trace feature to find circular dependencies this is super expensive (memory wise), so it should only be used for debugging purposes

func TryModule

func TryModule(modules ...Module) (resultingError error)

TryModule tests if modules are properly bound

Types

type Binding

type Binding struct {
	// contains filtered or unexported fields
}

Binding defines a type mapped to a more concrete type

func (*Binding) AnnotatedWith

func (b *Binding) AnnotatedWith(annotation string) *Binding

AnnotatedWith sets the binding's annotation

func (*Binding) AsEagerSingleton

func (b *Binding) AsEagerSingleton() *Binding

AsEagerSingleton set's the binding to singleton and requests eager initialization

func (*Binding) In

func (b *Binding) In(scope Scope) *Binding

In set's the bindings scope

func (*Binding) To

func (b *Binding) To(what interface{}) *Binding

To binds a concrete type to a binding

func (*Binding) ToInstance

func (b *Binding) ToInstance(instance interface{}) *Binding

ToInstance binds an instance to a binding

func (*Binding) ToProvider

func (b *Binding) ToProvider(p interface{}) *Binding

ToProvider binds a provider to an instance. The provider's arguments are automatically injected

type ChildSingletonScope

type ChildSingletonScope SingletonScope

ChildSingletonScope manages child-specific singleton

func NewChildSingletonScope

func NewChildSingletonScope() *ChildSingletonScope

NewChildSingletonScope creates a new child singleton scope

func (*ChildSingletonScope) ResolveType

func (c *ChildSingletonScope) ResolveType(t reflect.Type, annotation string, unscoped func(t reflect.Type, annotation string, optional bool) (reflect.Value, error)) (reflect.Value, error)

ResolveType delegates to SingletonScope.ResolveType

type Depender

type Depender interface {
	Depends() []Module
}

Depender returns a list of Modules via the Depends method. This allows a module to specify dependencies, which will be loaded before the actual Module is loaded.

type Injector

type Injector struct {
	// contains filtered or unexported fields
}

Injector defines bindings and multibindings it is possible to have a parent-injector, which can be asked if no resolution is available

func NewInjector

func NewInjector(modules ...Module) (*Injector, error)

NewInjector builds up a new Injector out of a list of Modules

func (*Injector) Bind

func (injector *Injector) Bind(what interface{}) *Binding

Bind creates a new binding for an abstract type / interface Use the syntax

injector.Bind((*Interface)(nil))

To specify the interface (cast it to a pointer to a nil of the type Interface)

func (*Injector) BindInterceptor

func (injector *Injector) BindInterceptor(to, interceptor interface{})

BindInterceptor intercepts to interface with interceptor

func (*Injector) BindMap

func (injector *Injector) BindMap(what interface{}, key string) *Binding

BindMap does a registry-like map-based binding, like BindMulti

func (*Injector) BindMulti

func (injector *Injector) BindMulti(what interface{}) *Binding

BindMulti binds multiple concrete types to the same abstract type / interface

func (*Injector) BindScope

func (injector *Injector) BindScope(s Scope)

BindScope binds a scope to be aware of

func (*Injector) BuildEagerSingletons added in v0.2.3

func (injector *Injector) BuildEagerSingletons(includeParent bool) error

BuildEagerSingletons requests one instance of each singleton, optional letting the parent injector(s) do the same

func (*Injector) Child

func (injector *Injector) Child() (*Injector, error)

Child derives a child injector with a new ChildSingletonScope

func (*Injector) GetAnnotatedInstance

func (injector *Injector) GetAnnotatedInstance(of interface{}, annotatedWith string) (interface{}, error)

GetAnnotatedInstance creates a new instance of what was requested with the given annotation

func (*Injector) GetInstance

func (injector *Injector) GetInstance(of interface{}) (interface{}, error)

GetInstance creates a new instance of what was requested

func (*Injector) InitModules

func (injector *Injector) InitModules(modules ...Module) error

InitModules initializes the injector with the given modules

func (*Injector) Inspect added in v0.2.4

func (injector *Injector) Inspect(inspector Inspector)

Inspect the injector

func (*Injector) Override

func (injector *Injector) Override(what interface{}, annotatedWith string) *Binding

Override a binding

func (*Injector) RequestInjection

func (injector *Injector) RequestInjection(object interface{}) error

RequestInjection requests the object to have all fields annotated with `inject` to be filled

func (*Injector) SetBuildEagerSingletons added in v0.2.3

func (injector *Injector) SetBuildEagerSingletons(build bool)

SetBuildEagerSingletons can be used to disable or enable building of eager singletons during InitModules

type Inspector added in v0.2.4

type Inspector struct {
	InspectBinding      func(of reflect.Type, annotation string, to reflect.Type, provider, instance *reflect.Value, in Scope)
	InspectMultiBinding func(of reflect.Type, index int, annotation string, to reflect.Type, provider, instance *reflect.Value, in Scope)
	InspectMapBinding   func(of reflect.Type, key string, annotation string, to reflect.Type, provider, instance *reflect.Value, in Scope)
	InspectParent       func(parent *Injector)
}

Inspector defines callbacks called during injector inspection

type Instance

type Instance struct {
	// contains filtered or unexported fields
}

Instance holds quick-references to type and value

type Module

type Module interface {
	Configure(injector *Injector)
}

Module is default entry point for dingo Modules. The Configure method is called once during initialization and let's the module setup Bindings for the provided Injector.

type ModuleFunc added in v0.2.8

type ModuleFunc func(injector *Injector)

ModuleFunc wraps a func(injector *Injector) for dependency injection. This allows using small functions as dingo Modules. The same concept is http.HandlerFunc for http.Handler.

func (ModuleFunc) Configure added in v0.2.8

func (f ModuleFunc) Configure(injector *Injector)

Configure call the original ModuleFunc with the given *Injector.

type Provider

type Provider struct {
	// contains filtered or unexported fields
}

Provider holds the provider function

func (*Provider) Create

func (p *Provider) Create(injector *Injector) (reflect.Value, error)

Create creates a new instance by the provider and requests injection, all provider arguments are automatically filled

type Scope

type Scope interface {
	ResolveType(t reflect.Type, annotation string, unscoped func(t reflect.Type, annotation string, optional bool) (reflect.Value, error)) (reflect.Value, error)
}

Scope defines a scope's behaviour

var (
	// Singleton is the default SingletonScope for dingo
	Singleton Scope = NewSingletonScope()

	// ChildSingleton is a per-child singleton, means singletons are scoped and local to an injector instance
	ChildSingleton Scope = NewChildSingletonScope()
)

type SingletonScope

type SingletonScope struct {
	// contains filtered or unexported fields
}

SingletonScope is our Scope to handle Singletons todo use RWMutex for proper locking

func NewSingletonScope

func NewSingletonScope() *SingletonScope

NewSingletonScope creates a new singleton scope

func (*SingletonScope) ResolveType

func (s *SingletonScope) ResolveType(t reflect.Type, annotation string, unscoped func(t reflect.Type, annotation string, optional bool) (reflect.Value, error)) (reflect.Value, error)

ResolveType resolves a request in this scope

Directories

Path Synopsis

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL