Skip to content

Commit

Permalink
Added "arguments" (#11)
Browse files Browse the repository at this point in the history
The "arguments" allow services to act as factories without intermediate code. Services that have "arguments" will be turned into a func and only compatible with the prototype scope.

Containers must now be created with NewContainer() (instead of &Container{}).

Fixes #5
  • Loading branch information
elliotchance committed Jun 29, 2019
1 parent cfd803f commit 711d751
Show file tree
Hide file tree
Showing 18 changed files with 1,144 additions and 240 deletions.
159 changes: 157 additions & 2 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ Easy, fast and type-safe dependency injection for Go.
* [Installation](#installation)
* [Building the Container](#building-the-container)
* [Configuring Services](#configuring-services)
+ [arguments](#arguments)
+ [error](#error)
+ [import](#import)
+ [interface](#interface)
Expand All @@ -14,6 +15,9 @@ Easy, fast and type-safe dependency injection for Go.
+ [type](#type)
* [Using Services](#using-services)
* [Unit Testing](#unit-testing)
* [Practical Examples](#practical-examples)
+ [Mocking the Clock](#mocking-the-clock)
+ [Mocking Runtime Dependencies](#mocking-runtime-dependencies)

## Installation

Expand Down Expand Up @@ -68,6 +72,14 @@ References to other services and variables will be substituted automatically:
- `@{SendEmail}` will inject the service named `SendEmail`.
- `${DB_PASS}` will inject the environment variable `DB_PASS`.

### arguments

If `arguments` is provided the service will be turned into a `func` so it can be
used as a factory.

There is a full example in
[Mocking Runtime Dependencies](#mocking-runtime-dependencies).

### error

If `returns` provides two arguments (where the second one is the error) you must
Expand Down Expand Up @@ -180,7 +192,7 @@ func main() {
should create a new container:

```go
container := &Container{}
container := NewContainer()
```

Unit tests can make any modifications to the new container, including overriding
Expand All @@ -192,7 +204,7 @@ func TestCustomerWelcome_Welcome(t *testing.T) {
emailer.On("Send",
"bob@smith.com", "Welcome", "Hi, Bob!").Return(nil)

container := &Container{}
container := NewContainer()
container.SendEmail = emailer

welcomer := container.GetCustomerWelcome()
Expand All @@ -201,3 +213,146 @@ func TestCustomerWelcome_Welcome(t *testing.T) {
emailer.AssertExpectations(t)
}
```

## Practical Examples

### Mocking the Clock

Code that relies on time needs to be deterministic to be testable. Extracting
the clock as a service allows the whole time environment to be predictable for
all services. It also has the added benefit that `Sleep()` is free when running
unit tests.

Here is a service, `WhatsTheTime`, that needs to use the current time:

```yml
services:
Clock:
interface: github.com/jonboulle/clockwork.Clock
returns: clockwork.NewRealClock()

WhatsTheTime:
type: '*WhatsTheTime'
properties:
clock: '@{Clock}'
```

`WhatsTheTime` can now use this clock the same way you would use the `time`
package:

```go
import (
"github.com/jonboulle/clockwork"
"time"
)

type WhatsTheTime struct {
clock clockwork.Clock
}

func (t *WhatsTheTime) InRFC1123() string {
return t.clock.Now().Format(time.RFC1123)
}
```

The unit test can substitute a fake clock for all services:

```go
func TestWhatsTheTime_InRFC1123(t *testing.T) {
container := NewContainer()
container.Clock = clockwork.NewFakeClock()

actual := container.GetWhatsTheTime().InRFC1123()
assert.Equal(t, "Wed, 04 Apr 1984 00:00:00 UTC", actual)
}
```

### Mocking Runtime Dependencies

One situation that is tricky to write tests for is when you have the
instantiation inside a service because it needs some runtime state.

Let's say you have a HTTP client that signs a request before sending it. The
signer can only be instantiated with the request, so we can't use traditional
injection:

```go
type HTTPSignerClient struct{}

func (c *HTTPSignerClient) Do(req *http.Request) (*http.Response, error) {
signer := NewSigner(req)
req.Headers.Set("Authorization", signer.Auth())

return http.DefaultClient.Do(req)
}
```

The `Signer` is not deterministic because it relies on the time:

```go
type Signer struct {
req *http.Request
}

func NewSigner(req *http.Request) *Signer {
return &Signer{req: req}
}

// Produces something like "Mon Jan 2 15:04:05 2006 POST"
func (signer *Signer) Auth() string {
return time.Now().Format(time.ANSIC) + " " + signer.req.Method
}
```

Unlike mocking the clock (as in the previous tutorial) this time we need to keep
the logic of the signer, but verify the URL path sent to the signer. Of course,
we could manipulate or entirely replace the signer as well.

Services can have `arguments` which turns them into factories. For example:

```yml
services:
Signer:
type: '*Signer'
scope: prototype # Create a new Signer each time
arguments: # Define the dependencies at runtime.
req: '*http.Request'
returns: NewSigner(req) # Setup code can reference the runtime dependencies.

HTTPSignerClient:
type: '*HTTPSignerClient'
properties:
CreateSigner: '@{Signer}' # Looks like a regular service, right?
```

Dingo has transformed the service into a factory, using a function:

```go
type HTTPSignerClient struct {
CreateSigner func(req *http.Request) *Signer
}

func (c *HTTPSignerClient) Do(req *http.Request) (*http.Response, error) {
signer := c.CreateSigner(req)
req.Headers.Set("Authorization", signer.Auth())

return http.DefaultClient.Do(req)
}
```

Under test we can control this factory like any other service:

```go
func TestHTTPSignerClient_Do(t *testing.T) {
container := NewContainer()
container.Signer = func(req *http.Request) *Signer {
assert.Equals(t, req.URL.Path, "/foo")

return NewSigner(req)
}

client := container.GetHTTPSignerClient()
_, err := client.Do(http.NewRequest("GET", "/foo", nil))
assert.NoError(t, err)
}
```
28 changes: 28 additions & 0 deletions arguments.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
package main

import (
"fmt"
"sort"
)

type Arguments map[string]Type

// Names returns all of the argument names sorted.
func (args Arguments) Names() (names []string) {
for arg := range args {
names = append(names, arg)
}

sort.Strings(names)

return
}

func (args Arguments) GoArguments() (ss []string) {
for _, argName := range args.Names() {
ss = append(ss, fmt.Sprintf("%s %s", argName,
args[argName].LocalEntityType()))
}

return
}
54 changes: 54 additions & 0 deletions arguments_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,54 @@
package main

import (
"github.com/elliotchance/testify-stats/assert"
"testing"
)

var argumentTests = map[string]struct {
Arguments Arguments
Names []string
GoArguments []string
}{
"Nil": {
Arguments: nil,
Names: nil,
GoArguments: nil,
},
"Empty": {
Arguments: map[string]Type{},
Names: nil,
GoArguments: nil,
},
"One": {
Arguments: map[string]Type{"foo": "int"},
Names: []string{"foo"},
GoArguments: []string{"foo int"},
},
"ArgumentsAlwaysSortedByName": {
Arguments: map[string]Type{"foo": "int", "bar": "*float64"},
Names: []string{"bar", "foo"},
GoArguments: []string{"bar *float64", "foo int"},
},
"RemovePackageName": {
Arguments: map[string]Type{"req": "*net/http.Request"},
Names: []string{"req"},
GoArguments: []string{"req *http.Request"},
},
}

func TestArguments_Names(t *testing.T) {
for testName, test := range argumentTests {
t.Run(testName, func(t *testing.T) {
assert.Equal(t, test.Names, test.Arguments.Names())
})
}
}

func TestArguments_GoArguments(t *testing.T) {
for testName, test := range argumentTests {
t.Run(testName, func(t *testing.T) {
assert.Equal(t, test.GoArguments, test.Arguments.GoArguments())
})
}
}

0 comments on commit 711d751

Please sign in to comment.