-
-
Notifications
You must be signed in to change notification settings - Fork 244
/
dockertest.go
704 lines (606 loc) · 18 KB
/
dockertest.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
// Copyright © 2024 Ory Corp
// SPDX-License-Identifier: Apache-2.0
package dockertest
import (
"errors"
"fmt"
"io"
"net"
"os"
"path/filepath"
"runtime"
"strings"
"time"
"github.com/cenkalti/backoff/v4"
dc "github.com/ory/dockertest/v3/docker"
options "github.com/ory/dockertest/v3/docker/opts"
)
var (
ErrNotInContainer = errors.New("not running in container")
)
// Pool represents a connection to the docker API and is used to create and remove docker images.
type Pool struct {
Client *dc.Client
MaxWait time.Duration
}
// Network represents a docker network.
type Network struct {
pool *Pool
Network *dc.Network
}
// Close removes network by calling pool.RemoveNetwork.
func (n *Network) Close() error {
return n.pool.RemoveNetwork(n)
}
// Resource represents a docker container.
type Resource struct {
pool *Pool
Container *dc.Container
}
// GetPort returns a resource's published port. You can use it to connect to the service via localhost, e.g. tcp://localhost:1231/
func (r *Resource) GetPort(id string) string {
if r.Container == nil || r.Container.NetworkSettings == nil {
return ""
}
m, ok := r.Container.NetworkSettings.Ports[dc.Port(id)]
if !ok || len(m) == 0 {
return ""
}
return m[0].HostPort
}
// GetBoundIP returns a resource's published IP address.
func (r *Resource) GetBoundIP(id string) string {
if r.Container == nil || r.Container.NetworkSettings == nil {
return ""
}
m, ok := r.Container.NetworkSettings.Ports[dc.Port(id)]
if !ok || len(m) == 0 {
return ""
}
ip := m[0].HostIP
if ip == "0.0.0.0" || ip == "" {
return "localhost"
}
return ip
}
// GetHostPort returns a resource's published port with an address.
func (r *Resource) GetHostPort(portID string) string {
if r.Container == nil || r.Container.NetworkSettings == nil {
return ""
}
m, ok := r.Container.NetworkSettings.Ports[dc.Port(portID)]
if !ok || len(m) == 0 {
return ""
}
ip := m[0].HostIP
if ip == "0.0.0.0" || ip == "" {
ip = "localhost"
}
return net.JoinHostPort(ip, m[0].HostPort)
}
type ExecOptions struct {
// Command environment, optional.
Env []string
// StdIn will be attached as command stdin if provided.
StdIn io.Reader
// StdOut will be attached as command stdout if provided.
StdOut io.Writer
// StdErr will be attached as command stdout if provided.
StdErr io.Writer
// Allocate TTY for command or not.
TTY bool
}
// Exec executes command within container.
func (r *Resource) Exec(cmd []string, opts ExecOptions) (exitCode int, err error) {
exec, err := r.pool.Client.CreateExec(dc.CreateExecOptions{
Container: r.Container.ID,
Cmd: cmd,
Env: opts.Env,
AttachStderr: true,
AttachStdout: true,
AttachStdin: opts.StdIn != nil,
Tty: opts.TTY,
})
if err != nil {
return -1, fmt.Errorf("Create exec failed: %w", err)
}
// Always attach stderr/stdout, even if not specified, to ensure that exec
// waits with opts.Detach as false (default)
// ref: https://github.com/fsouza/go-dockerclient/issues/838
if opts.StdErr == nil {
opts.StdErr = io.Discard
}
if opts.StdOut == nil {
opts.StdOut = io.Discard
}
err = r.pool.Client.StartExec(exec.ID, dc.StartExecOptions{
InputStream: opts.StdIn,
OutputStream: opts.StdOut,
ErrorStream: opts.StdErr,
Tty: opts.TTY,
})
if err != nil {
return -1, fmt.Errorf("Start exec failed: %w", err)
}
inspectExec, err := r.pool.Client.InspectExec(exec.ID)
if err != nil {
return -1, fmt.Errorf("Inspect exec failed: %w", err)
}
return inspectExec.ExitCode, nil
}
// GetIPInNetwork returns container IP address in network.
func (r *Resource) GetIPInNetwork(network *Network) string {
if r.Container == nil || r.Container.NetworkSettings == nil {
return ""
}
netCfg, ok := r.Container.NetworkSettings.Networks[network.Network.Name]
if !ok {
return ""
}
return netCfg.IPAddress
}
// ConnectToNetwork connects container to network.
func (r *Resource) ConnectToNetwork(network *Network) error {
err := r.pool.Client.ConnectNetwork(
network.Network.ID,
dc.NetworkConnectionOptions{Container: r.Container.ID},
)
if err != nil {
return fmt.Errorf("Failed to connect container to network: %w", err)
}
// refresh internal representation
r.Container, err = r.pool.Client.InspectContainer(r.Container.ID)
if err != nil {
return fmt.Errorf("Failed to refresh container information: %w", err)
}
network.Network, err = r.pool.Client.NetworkInfo(network.Network.ID)
if err != nil {
return fmt.Errorf("Failed to refresh network information: %w", err)
}
return nil
}
// DisconnectFromNetwork disconnects container from network.
func (r *Resource) DisconnectFromNetwork(network *Network) error {
err := r.pool.Client.DisconnectNetwork(
network.Network.ID,
dc.NetworkConnectionOptions{Container: r.Container.ID},
)
if err != nil {
return fmt.Errorf("Failed to connect container to network: %w", err)
}
// refresh internal representation
r.Container, err = r.pool.Client.InspectContainer(r.Container.ID)
if err != nil {
return fmt.Errorf("Failed to refresh container information: %w", err)
}
network.Network, err = r.pool.Client.NetworkInfo(network.Network.ID)
if err != nil {
return fmt.Errorf("Failed to refresh network information: %w", err)
}
return nil
}
// Close removes a container and linked volumes from docker by calling pool.Purge.
func (r *Resource) Close() error {
return r.pool.Purge(r)
}
// Expire sets a resource's associated container to terminate after a period has passed
func (r *Resource) Expire(seconds uint) error {
go func() {
if err := r.pool.Client.StopContainer(r.Container.ID, seconds); err != nil {
// Error handling?
}
}()
return nil
}
// NewTLSPool creates a new pool given an endpoint and the certificate path. This is required for endpoints that
// require TLS communication.
func NewTLSPool(endpoint, certpath string) (*Pool, error) {
ca := fmt.Sprintf("%s/ca.pem", certpath)
cert := fmt.Sprintf("%s/cert.pem", certpath)
key := fmt.Sprintf("%s/key.pem", certpath)
client, err := dc.NewTLSClient(endpoint, cert, key, ca)
if err != nil {
return nil, err
}
return &Pool{
Client: client,
}, nil
}
// NewPool creates a new pool. You can pass an empty string to use the default, which is taken from the environment
// variable DOCKER_HOST and DOCKER_URL, or from docker-machine if the environment variable DOCKER_MACHINE_NAME is set,
// or if neither is defined a sensible default for the operating system you are on.
// TLS pools are automatically configured if the DOCKER_CERT_PATH environment variable exists.
func NewPool(endpoint string) (*Pool, error) {
if endpoint == "" {
if os.Getenv("DOCKER_MACHINE_NAME") != "" {
client, err := dc.NewClientFromEnv()
if err != nil {
return nil, fmt.Errorf("failed to create client from environment: %w", err)
}
return &Pool{Client: client}, nil
}
if os.Getenv("DOCKER_HOST") != "" {
endpoint = os.Getenv("DOCKER_HOST")
} else if os.Getenv("DOCKER_URL") != "" {
endpoint = os.Getenv("DOCKER_URL")
} else if runtime.GOOS == "windows" {
if _, err := os.Stat(`\\.\pipe\docker_engine`); err == nil {
endpoint = "npipe:////./pipe/docker_engine"
} else {
endpoint = "http://localhost:2375"
}
} else {
endpoint = options.DefaultHost
}
}
if os.Getenv("DOCKER_CERT_PATH") != "" && shouldPreferTLS(endpoint) {
return NewTLSPool(endpoint, os.Getenv("DOCKER_CERT_PATH"))
}
client, err := dc.NewClient(endpoint)
if err != nil {
return nil, err
}
return &Pool{
Client: client,
}, nil
}
func shouldPreferTLS(endpoint string) bool {
return !strings.HasPrefix(endpoint, "http://") && !strings.HasPrefix(endpoint, "unix://")
}
// RunOptions is used to pass in optional parameters when running a container.
type RunOptions struct {
Hostname string
Name string
Repository string
Tag string
Env []string
Entrypoint []string
Cmd []string
Mounts []string
Links []string
ExposedPorts []string
ExtraHosts []string
CapAdd []string
SecurityOpt []string
DNS []string
WorkingDir string
NetworkID string
Networks []*Network // optional networks to join
Labels map[string]string
Auth dc.AuthConfiguration
PortBindings map[dc.Port][]dc.PortBinding
Privileged bool
User string
Tty bool
Platform string
}
// BuildOptions is used to pass in optional parameters when building a container
type BuildOptions struct {
Dockerfile string
ContextDir string
BuildArgs []dc.BuildArg
Platform string
Auth dc.AuthConfigurations
}
// BuildAndRunWithBuildOptions builds and starts a docker container.
// Optional modifier functions can be passed in order to change the hostconfig values not covered in RunOptions
func (d *Pool) BuildAndRunWithBuildOptions(buildOpts *BuildOptions, runOpts *RunOptions, hcOpts ...func(*dc.HostConfig)) (*Resource, error) {
err := d.Client.BuildImage(dc.BuildImageOptions{
Name: runOpts.Name,
Dockerfile: buildOpts.Dockerfile,
OutputStream: io.Discard,
ContextDir: buildOpts.ContextDir,
BuildArgs: buildOpts.BuildArgs,
Platform: buildOpts.Platform,
AuthConfigs: buildOpts.Auth,
})
if err != nil {
return nil, err
}
runOpts.Repository = runOpts.Name
return d.RunWithOptions(runOpts, hcOpts...)
}
// BuildAndRunWithOptions builds and starts a docker container.
// Optional modifier functions can be passed in order to change the hostconfig values not covered in RunOptions
func (d *Pool) BuildAndRunWithOptions(dockerfilePath string, opts *RunOptions, hcOpts ...func(*dc.HostConfig)) (*Resource, error) {
// Set the Dockerfile folder as build context
dir, file := filepath.Split(dockerfilePath)
buildOpts := BuildOptions{Dockerfile: file, ContextDir: dir}
return d.BuildAndRunWithBuildOptions(&buildOpts, opts, hcOpts...)
}
// BuildAndRun builds and starts a docker container
func (d *Pool) BuildAndRun(name, dockerfilePath string, env []string) (*Resource, error) {
return d.BuildAndRunWithOptions(dockerfilePath, &RunOptions{Name: name, Env: env})
}
// RunWithOptions starts a docker container.
// Optional modifier functions can be passed in order to change the hostconfig values not covered in RunOptions
//
// pool.RunWithOptions(&RunOptions{Repository: "mongo", Cmd: []string{"mongod", "--smallfiles"}})
// pool.RunWithOptions(&RunOptions{Repository: "mongo", Cmd: []string{"mongod", "--smallfiles"}}, func(hostConfig *dc.HostConfig) {
// hostConfig.ShmSize = shmemsize
// })
func (d *Pool) RunWithOptions(opts *RunOptions, hcOpts ...func(*dc.HostConfig)) (*Resource, error) {
repository := opts.Repository
tag := opts.Tag
env := opts.Env
cmd := opts.Cmd
ep := opts.Entrypoint
wd := opts.WorkingDir
var exp map[dc.Port]struct{}
if len(opts.ExposedPorts) > 0 {
exp = map[dc.Port]struct{}{}
for _, p := range opts.ExposedPorts {
exp[dc.Port(p)] = struct{}{}
}
}
mounts := []dc.Mount{}
for _, m := range opts.Mounts {
s, d, err := options.MountParser(m)
if err != nil {
return nil, err
}
mounts = append(mounts, dc.Mount{
Source: s,
Destination: d,
RW: true,
})
}
if tag == "" {
tag = "latest"
}
networkingConfig := dc.NetworkingConfig{
EndpointsConfig: map[string]*dc.EndpointConfig{},
}
if opts.NetworkID != "" {
networkingConfig.EndpointsConfig[opts.NetworkID] = &dc.EndpointConfig{}
}
for _, network := range opts.Networks {
networkingConfig.EndpointsConfig[network.Network.ID] = &dc.EndpointConfig{}
}
_, err := d.Client.InspectImage(fmt.Sprintf("%s:%s", repository, tag))
if err != nil {
var (
auth = opts.Auth
parts = strings.SplitN(repository, "/", 3)
empty = opts.Auth == dc.AuthConfiguration{}
)
if empty && len(parts) == 3 {
res, err := dc.NewAuthConfigurationsFromCredsHelpers(parts[0])
if err == nil {
auth = *res
}
}
if err := d.Client.PullImage(dc.PullImageOptions{
Repository: repository,
Tag: tag,
Platform: opts.Platform,
}, auth); err != nil {
return nil, err
}
}
hostConfig := dc.HostConfig{
PublishAllPorts: true,
Binds: opts.Mounts,
Links: opts.Links,
PortBindings: opts.PortBindings,
ExtraHosts: opts.ExtraHosts,
CapAdd: opts.CapAdd,
SecurityOpt: opts.SecurityOpt,
Privileged: opts.Privileged,
DNS: opts.DNS,
}
for _, hostConfigOption := range hcOpts {
hostConfigOption(&hostConfig)
}
c, err := d.Client.CreateContainer(dc.CreateContainerOptions{
Name: opts.Name,
Config: &dc.Config{
Hostname: opts.Hostname,
Image: fmt.Sprintf("%s:%s", repository, tag),
Env: env,
Entrypoint: ep,
Cmd: cmd,
Mounts: mounts,
ExposedPorts: exp,
WorkingDir: wd,
Labels: opts.Labels,
StopSignal: "SIGWINCH", // to support timeouts
User: opts.User,
Tty: opts.Tty,
},
HostConfig: &hostConfig,
NetworkingConfig: &networkingConfig,
})
if err != nil {
return nil, err
}
if err := d.Client.StartContainer(c.ID, nil); err != nil {
return nil, err
}
c, err = d.inspectContainerWithRetries(c.ID)
if err != nil {
return nil, err
}
for _, network := range opts.Networks {
network.Network, err = d.Client.NetworkInfo(network.Network.ID)
if err != nil {
return nil, err
}
}
return &Resource{
pool: d,
Container: c,
}, nil
}
// inspectContainerWithRetries will repeat the inspect call until the container has port bindings assigned.
func (d *Pool) inspectContainerWithRetries(id string) (*dc.Container, error) {
const maxRetries = 10
var (
retryNum int
c *dc.Container
err error
)
for retryNum <= maxRetries {
if retryNum > 0 {
time.Sleep(100 * time.Millisecond)
}
c, err = d.Client.InspectContainer(id)
if err != nil {
return nil, err
}
if hasEmptyPortBindings := func() bool {
for _, bindings := range c.NetworkSettings.Ports {
if len(bindings) == 0 {
return true
}
}
return false
}(); !hasEmptyPortBindings {
return c, nil
}
retryNum++
}
return c, err
}
// Run starts a docker container.
//
// pool.Run("mysql", "5.3", []string{"FOO=BAR", "BAR=BAZ"})
func (d *Pool) Run(repository, tag string, env []string) (*Resource, error) {
return d.RunWithOptions(&RunOptions{Repository: repository, Tag: tag, Env: env})
}
// ContainerByName finds a container with the given name and returns it if present
func (d *Pool) ContainerByName(containerName string) (*Resource, bool) {
containers, err := d.Client.ListContainers(dc.ListContainersOptions{
All: true,
Filters: map[string][]string{
"name": {containerName},
},
})
if err != nil {
return nil, false
}
if len(containers) == 0 {
return nil, false
}
c, err := d.Client.InspectContainer(containers[0].ID)
if err != nil {
return nil, false
}
return &Resource{
pool: d,
Container: c,
}, true
}
// RemoveContainerByName find a container with the given name and removes it if present
func (d *Pool) RemoveContainerByName(containerName string) error {
containers, err := d.Client.ListContainers(dc.ListContainersOptions{
All: true,
Filters: map[string][]string{
"name": {containerName},
},
})
if err != nil {
return fmt.Errorf("Error while listing containers with name %s: %w", containerName, err)
}
if len(containers) == 0 {
return nil
}
err = d.Client.RemoveContainer(dc.RemoveContainerOptions{
ID: containers[0].ID,
Force: true,
RemoveVolumes: true,
})
if err != nil {
return fmt.Errorf("Error while removing container with name %s: %w", containerName, err)
}
return nil
}
// Purge removes a container and linked volumes from docker.
func (d *Pool) Purge(r *Resource) error {
if err := d.Client.RemoveContainer(dc.RemoveContainerOptions{ID: r.Container.ID, Force: true, RemoveVolumes: true}); err != nil {
return err
}
return nil
}
// Retry is an exponential backoff retry helper. You can use it to wait for e.g. mysql to boot up.
func (d *Pool) Retry(op func() error) error {
if d.MaxWait == 0 {
d.MaxWait = time.Minute
}
bo := backoff.NewExponentialBackOff()
bo.MaxInterval = time.Second * 5
bo.MaxElapsedTime = d.MaxWait
if err := backoff.Retry(op, bo); err != nil {
if bo.NextBackOff() == backoff.Stop {
return fmt.Errorf("reached retry deadline: %w", err)
}
return err
}
return nil
}
// CurrentContainer returns current container descriptor if this function called within running container.
// It returns ErrNotInContainer as error if this function running not in container.
func (d *Pool) CurrentContainer() (*Resource, error) {
// docker daemon puts short container id into hostname
hostname, err := os.Hostname()
if err != nil {
return nil, fmt.Errorf("Get hostname failed: %w", err)
}
container, err := d.Client.InspectContainer(hostname)
switch err.(type) {
case nil:
return &Resource{
pool: d,
Container: container,
}, nil
case *dc.NoSuchContainer:
return nil, ErrNotInContainer
default:
return nil, err
}
}
// CreateNetwork creates docker network. It's useful for linking multiple containers.
func (d *Pool) CreateNetwork(name string, opts ...func(config *dc.CreateNetworkOptions)) (*Network, error) {
var cfg dc.CreateNetworkOptions
cfg.Name = name
for _, opt := range opts {
opt(&cfg)
}
network, err := d.Client.CreateNetwork(cfg)
if err != nil {
return nil, err
}
return &Network{
pool: d,
Network: network,
}, nil
}
// NetworksByName returns a list of docker networks filtered by name
func (d *Pool) NetworksByName(name string) ([]Network, error) {
networks, err := d.Client.ListNetworks()
if err != nil {
return nil, err
}
var foundNetworks []Network
for idx := range networks {
if networks[idx].Name == name {
foundNetworks = append(foundNetworks,
Network{
pool: d,
Network: &networks[idx],
},
)
}
}
return foundNetworks, nil
}
// RemoveNetwork disconnects containers and removes provided network.
func (d *Pool) RemoveNetwork(network *Network) error {
for container := range network.Network.Containers {
_ = d.Client.DisconnectNetwork(
network.Network.ID,
dc.NetworkConnectionOptions{Container: container, Force: true},
)
}
return d.Client.RemoveNetwork(network.Network.ID)
}