1
0
mirror of https://github.com/moby/moby.git synced 2025-07-30 18:23:29 +03:00

Extract daemon to its own package

Signed-off-by: Vincent Demeester <vincent@sbr.pm>
This commit is contained in:
Vincent Demeester
2016-12-09 10:17:53 +01:00
parent 0a072e93df
commit 48de91a33f
39 changed files with 980 additions and 737 deletions

View File

@ -11,6 +11,7 @@ import (
"github.com/docker/docker/api/types/swarm" "github.com/docker/docker/api/types/swarm"
"github.com/docker/docker/cliconfig" "github.com/docker/docker/cliconfig"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/reexec" "github.com/docker/docker/pkg/reexec"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -39,7 +40,7 @@ type DockerSuite struct {
func (s *DockerSuite) OnTimeout(c *check.C) { func (s *DockerSuite) OnTimeout(c *check.C) {
if daemonPid > 0 && isLocalDaemon { if daemonPid > 0 && isLocalDaemon {
signalDaemonDump(daemonPid) daemon.SignalDaemonDump(daemonPid)
} }
} }
@ -63,7 +64,7 @@ func init() {
type DockerRegistrySuite struct { type DockerRegistrySuite struct {
ds *DockerSuite ds *DockerSuite
reg *testRegistryV2 reg *testRegistryV2
d *Daemon d *daemon.Daemon
} }
func (s *DockerRegistrySuite) OnTimeout(c *check.C) { func (s *DockerRegistrySuite) OnTimeout(c *check.C) {
@ -73,7 +74,9 @@ func (s *DockerRegistrySuite) OnTimeout(c *check.C) {
func (s *DockerRegistrySuite) SetUpTest(c *check.C) { func (s *DockerRegistrySuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux, RegistryHosting) testRequires(c, DaemonIsLinux, RegistryHosting)
s.reg = setupRegistry(c, false, "", "") s.reg = setupRegistry(c, false, "", "")
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerRegistrySuite) TearDownTest(c *check.C) { func (s *DockerRegistrySuite) TearDownTest(c *check.C) {
@ -95,7 +98,7 @@ func init() {
type DockerSchema1RegistrySuite struct { type DockerSchema1RegistrySuite struct {
ds *DockerSuite ds *DockerSuite
reg *testRegistryV2 reg *testRegistryV2
d *Daemon d *daemon.Daemon
} }
func (s *DockerSchema1RegistrySuite) OnTimeout(c *check.C) { func (s *DockerSchema1RegistrySuite) OnTimeout(c *check.C) {
@ -105,7 +108,9 @@ func (s *DockerSchema1RegistrySuite) OnTimeout(c *check.C) {
func (s *DockerSchema1RegistrySuite) SetUpTest(c *check.C) { func (s *DockerSchema1RegistrySuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux, RegistryHosting, NotArm64) testRequires(c, DaemonIsLinux, RegistryHosting, NotArm64)
s.reg = setupRegistry(c, true, "", "") s.reg = setupRegistry(c, true, "", "")
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerSchema1RegistrySuite) TearDownTest(c *check.C) { func (s *DockerSchema1RegistrySuite) TearDownTest(c *check.C) {
@ -127,7 +132,7 @@ func init() {
type DockerRegistryAuthHtpasswdSuite struct { type DockerRegistryAuthHtpasswdSuite struct {
ds *DockerSuite ds *DockerSuite
reg *testRegistryV2 reg *testRegistryV2
d *Daemon d *daemon.Daemon
} }
func (s *DockerRegistryAuthHtpasswdSuite) OnTimeout(c *check.C) { func (s *DockerRegistryAuthHtpasswdSuite) OnTimeout(c *check.C) {
@ -137,7 +142,9 @@ func (s *DockerRegistryAuthHtpasswdSuite) OnTimeout(c *check.C) {
func (s *DockerRegistryAuthHtpasswdSuite) SetUpTest(c *check.C) { func (s *DockerRegistryAuthHtpasswdSuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux, RegistryHosting) testRequires(c, DaemonIsLinux, RegistryHosting)
s.reg = setupRegistry(c, false, "htpasswd", "") s.reg = setupRegistry(c, false, "htpasswd", "")
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerRegistryAuthHtpasswdSuite) TearDownTest(c *check.C) { func (s *DockerRegistryAuthHtpasswdSuite) TearDownTest(c *check.C) {
@ -161,7 +168,7 @@ func init() {
type DockerRegistryAuthTokenSuite struct { type DockerRegistryAuthTokenSuite struct {
ds *DockerSuite ds *DockerSuite
reg *testRegistryV2 reg *testRegistryV2
d *Daemon d *daemon.Daemon
} }
func (s *DockerRegistryAuthTokenSuite) OnTimeout(c *check.C) { func (s *DockerRegistryAuthTokenSuite) OnTimeout(c *check.C) {
@ -170,7 +177,9 @@ func (s *DockerRegistryAuthTokenSuite) OnTimeout(c *check.C) {
func (s *DockerRegistryAuthTokenSuite) SetUpTest(c *check.C) { func (s *DockerRegistryAuthTokenSuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux, RegistryHosting) testRequires(c, DaemonIsLinux, RegistryHosting)
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerRegistryAuthTokenSuite) TearDownTest(c *check.C) { func (s *DockerRegistryAuthTokenSuite) TearDownTest(c *check.C) {
@ -200,7 +209,7 @@ func init() {
type DockerDaemonSuite struct { type DockerDaemonSuite struct {
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
} }
func (s *DockerDaemonSuite) OnTimeout(c *check.C) { func (s *DockerDaemonSuite) OnTimeout(c *check.C) {
@ -209,7 +218,9 @@ func (s *DockerDaemonSuite) OnTimeout(c *check.C) {
func (s *DockerDaemonSuite) SetUpTest(c *check.C) { func (s *DockerDaemonSuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux) testRequires(c, DaemonIsLinux)
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerDaemonSuite) TearDownTest(c *check.C) { func (s *DockerDaemonSuite) TearDownTest(c *check.C) {
@ -221,7 +232,7 @@ func (s *DockerDaemonSuite) TearDownTest(c *check.C) {
} }
func (s *DockerDaemonSuite) TearDownSuite(c *check.C) { func (s *DockerDaemonSuite) TearDownSuite(c *check.C) {
filepath.Walk(daemonSockRoot, func(path string, fi os.FileInfo, err error) error { filepath.Walk(daemon.SockRoot, func(path string, fi os.FileInfo, err error) error {
if err != nil { if err != nil {
// ignore errors here // ignore errors here
// not cleaning up sockets is not really an error // not cleaning up sockets is not really an error
@ -232,7 +243,7 @@ func (s *DockerDaemonSuite) TearDownSuite(c *check.C) {
} }
return nil return nil
}) })
os.RemoveAll(daemonSockRoot) os.RemoveAll(daemon.SockRoot)
} }
const defaultSwarmPort = 2477 const defaultSwarmPort = 2477
@ -246,7 +257,7 @@ func init() {
type DockerSwarmSuite struct { type DockerSwarmSuite struct {
server *httptest.Server server *httptest.Server
ds *DockerSuite ds *DockerSuite
daemons []*SwarmDaemon daemons []*daemon.Swarm
daemonsLock sync.Mutex // protect access to daemons daemonsLock sync.Mutex // protect access to daemons
portIndex int portIndex int
} }
@ -263,28 +274,27 @@ func (s *DockerSwarmSuite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux) testRequires(c, DaemonIsLinux)
} }
func (s *DockerSwarmSuite) AddDaemon(c *check.C, joinSwarm, manager bool) *SwarmDaemon { func (s *DockerSwarmSuite) AddDaemon(c *check.C, joinSwarm, manager bool) *daemon.Swarm {
d := &SwarmDaemon{ d := &daemon.Swarm{
Daemon: NewDaemon(c), Daemon: daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
port: defaultSwarmPort + s.portIndex, Experimental: experimentalDaemon,
}),
Port: defaultSwarmPort + s.portIndex,
} }
d.listenAddr = fmt.Sprintf("0.0.0.0:%d", d.port) d.ListenAddr = fmt.Sprintf("0.0.0.0:%d", d.Port)
args := []string{"--iptables=false", "--swarm-default-advertise-addr=lo"} // avoid networking conflicts args := []string{"--iptables=false", "--swarm-default-advertise-addr=lo"} // avoid networking conflicts
if experimentalDaemon {
args = append(args, "--experimental")
}
err := d.StartWithBusybox(args...) err := d.StartWithBusybox(args...)
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
if joinSwarm == true { if joinSwarm == true {
if len(s.daemons) > 0 { if len(s.daemons) > 0 {
tokens := s.daemons[0].joinTokens(c) tokens := s.daemons[0].JoinTokens(c)
token := tokens.Worker token := tokens.Worker
if manager { if manager {
token = tokens.Manager token = tokens.Manager
} }
c.Assert(d.Join(swarm.JoinRequest{ c.Assert(d.Join(swarm.JoinRequest{
RemoteAddrs: []string{s.daemons[0].listenAddr}, RemoteAddrs: []string{s.daemons[0].ListenAddr},
JoinToken: token, JoinToken: token,
}), check.IsNil) }), check.IsNil)
} else { } else {
@ -306,13 +316,14 @@ func (s *DockerSwarmSuite) TearDownTest(c *check.C) {
for _, d := range s.daemons { for _, d := range s.daemons {
if d != nil { if d != nil {
d.Stop() d.Stop()
// FIXME(vdemeester) should be handled by SwarmDaemon ?
// raft state file is quite big (64MB) so remove it after every test // raft state file is quite big (64MB) so remove it after every test
walDir := filepath.Join(d.root, "swarm/raft/wal") walDir := filepath.Join(d.Root, "swarm/raft/wal")
if err := os.RemoveAll(walDir); err != nil { if err := os.RemoveAll(walDir); err != nil {
c.Logf("error removing %v: %v", walDir, err) c.Logf("error removing %v: %v", walDir, err)
} }
cleanupExecRoot(c, d.execRoot) d.CleanupExecRoot(c)
} }
} }
s.daemons = nil s.daemons = nil

View File

@ -1,12 +1,17 @@
package main package daemon
import ( import (
"bytes" "bytes"
"crypto/tls"
"encoding/json" "encoding/json"
"errors" "errors"
"fmt" "fmt"
"io" "io"
"io/ioutil"
"net"
"net/http" "net/http"
"net/http/httputil"
"net/url"
"os" "os"
"os/exec" "os/exec"
"path/filepath" "path/filepath"
@ -16,7 +21,9 @@ import (
"github.com/docker/docker/api/types/events" "github.com/docker/docker/api/types/events"
"github.com/docker/docker/opts" "github.com/docker/docker/opts"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
icmd "github.com/docker/docker/pkg/integration/cmd"
"github.com/docker/docker/pkg/ioutils" "github.com/docker/docker/pkg/ioutils"
"github.com/docker/docker/pkg/stringid" "github.com/docker/docker/pkg/stringid"
"github.com/docker/go-connections/sockets" "github.com/docker/go-connections/sockets"
@ -24,26 +31,37 @@ import (
"github.com/go-check/check" "github.com/go-check/check"
) )
var daemonSockRoot = filepath.Join(os.TempDir(), "docker-integration") // SockRoot holds the path of the default docker integration daemon socket
var SockRoot = filepath.Join(os.TempDir(), "docker-integration")
// Daemon represents a Docker daemon for the testing framework. // Daemon represents a Docker daemon for the testing framework.
type Daemon struct { type Daemon struct {
GlobalFlags []string GlobalFlags []string
Root string
Folder string
Wait chan error
UseDefaultHost bool
UseDefaultTLSHost bool
id string // FIXME(vdemeester) either should be used everywhere (do not return error) or nowhere,
// so I think we should remove it or use it for everything
c *check.C c *check.C
id string
logFile *os.File logFile *os.File
folder string
root string
stdin io.WriteCloser stdin io.WriteCloser
stdout, stderr io.ReadCloser stdout, stderr io.ReadCloser
cmd *exec.Cmd cmd *exec.Cmd
storageDriver string storageDriver string
wait chan error
userlandProxy bool userlandProxy bool
useDefaultHost bool
useDefaultTLSHost bool
execRoot string execRoot string
experimental bool
dockerBinary string
dockerdBinary string
}
// Config holds docker daemon integration configuration
type Config struct {
Experimental bool
} }
type clientConfig struct { type clientConfig struct {
@ -52,14 +70,14 @@ type clientConfig struct {
addr string addr string
} }
// NewDaemon returns a Daemon instance to be used for testing. // New returns a Daemon instance to be used for testing.
// This will create a directory such as d123456789 in the folder specified by $DEST. // This will create a directory such as d123456789 in the folder specified by $DEST.
// The daemon will not automatically start. // The daemon will not automatically start.
func NewDaemon(c *check.C) *Daemon { func New(c *check.C, dockerBinary string, dockerdBinary string, config Config) *Daemon {
dest := os.Getenv("DEST") dest := os.Getenv("DEST")
c.Assert(dest, check.Not(check.Equals), "", check.Commentf("Please set the DEST environment variable")) c.Assert(dest, check.Not(check.Equals), "", check.Commentf("Please set the DEST environment variable"))
err := os.MkdirAll(daemonSockRoot, 0700) err := os.MkdirAll(SockRoot, 0700)
c.Assert(err, checker.IsNil, check.Commentf("could not create daemon socket root")) c.Assert(err, checker.IsNil, check.Commentf("could not create daemon socket root"))
id := fmt.Sprintf("d%s", stringid.TruncateID(stringid.GenerateRandomID())) id := fmt.Sprintf("d%s", stringid.TruncateID(stringid.GenerateRandomID()))
@ -80,17 +98,35 @@ func NewDaemon(c *check.C) *Daemon {
return &Daemon{ return &Daemon{
id: id, id: id,
c: c, c: c,
folder: daemonFolder, Folder: daemonFolder,
root: daemonRoot, Root: daemonRoot,
storageDriver: os.Getenv("DOCKER_GRAPHDRIVER"), storageDriver: os.Getenv("DOCKER_GRAPHDRIVER"),
userlandProxy: userlandProxy, userlandProxy: userlandProxy,
execRoot: filepath.Join(os.TempDir(), "docker-execroot", id), execRoot: filepath.Join(os.TempDir(), "docker-execroot", id),
dockerBinary: dockerBinary,
dockerdBinary: dockerdBinary,
experimental: config.Experimental,
} }
} }
// RootDir returns the root directory of the daemon. // RootDir returns the root directory of the daemon.
func (d *Daemon) RootDir() string { func (d *Daemon) RootDir() string {
return d.root return d.Root
}
// ID returns the generated id of the daemon
func (d *Daemon) ID() string {
return d.id
}
// StorageDriver returns the configured storage driver of the daemon
func (d *Daemon) StorageDriver() string {
return d.storageDriver
}
// CleanupExecRoot cleans the daemon exec root (network namespaces, ...)
func (d *Daemon) CleanupExecRoot(c *check.C) {
cleanupExecRoot(c, d.execRoot)
} }
func (d *Daemon) getClientConfig() (*clientConfig, error) { func (d *Daemon) getClientConfig() (*clientConfig, error) {
@ -100,7 +136,7 @@ func (d *Daemon) getClientConfig() (*clientConfig, error) {
addr string addr string
proto string proto string
) )
if d.useDefaultTLSHost { if d.UseDefaultTLSHost {
option := &tlsconfig.Options{ option := &tlsconfig.Options{
CAFile: "fixtures/https/ca.pem", CAFile: "fixtures/https/ca.pem",
CertFile: "fixtures/https/client-cert.pem", CertFile: "fixtures/https/client-cert.pem",
@ -116,7 +152,7 @@ func (d *Daemon) getClientConfig() (*clientConfig, error) {
addr = fmt.Sprintf("%s:%d", opts.DefaultHTTPHost, opts.DefaultTLSHTTPPort) addr = fmt.Sprintf("%s:%d", opts.DefaultHTTPHost, opts.DefaultTLSHTTPPort)
scheme = "https" scheme = "https"
proto = "tcp" proto = "tcp"
} else if d.useDefaultHost { } else if d.UseDefaultHost {
addr = opts.DefaultUnixSocket addr = opts.DefaultUnixSocket
proto = "unix" proto = "unix"
scheme = "http" scheme = "http"
@ -140,29 +176,29 @@ func (d *Daemon) getClientConfig() (*clientConfig, error) {
// Start will start the daemon and return once it is ready to receive requests. // Start will start the daemon and return once it is ready to receive requests.
// You can specify additional daemon flags. // You can specify additional daemon flags.
func (d *Daemon) Start(args ...string) error { func (d *Daemon) Start(args ...string) error {
logFile, err := os.OpenFile(filepath.Join(d.folder, "docker.log"), os.O_RDWR|os.O_CREATE|os.O_APPEND, 0600) logFile, err := os.OpenFile(filepath.Join(d.Folder, "docker.log"), os.O_RDWR|os.O_CREATE|os.O_APPEND, 0600)
d.c.Assert(err, check.IsNil, check.Commentf("[%s] Could not create %s/docker.log", d.id, d.folder)) d.c.Assert(err, check.IsNil, check.Commentf("[%s] Could not create %s/docker.log", d.id, d.Folder))
return d.StartWithLogFile(logFile, args...) return d.StartWithLogFile(logFile, args...)
} }
// StartWithLogFile will start the daemon and attach its streams to a given file. // StartWithLogFile will start the daemon and attach its streams to a given file.
func (d *Daemon) StartWithLogFile(out *os.File, providedArgs ...string) error { func (d *Daemon) StartWithLogFile(out *os.File, providedArgs ...string) error {
dockerdBinary, err := exec.LookPath(dockerdBinary) dockerdBinary, err := exec.LookPath(d.dockerdBinary)
d.c.Assert(err, check.IsNil, check.Commentf("[%s] could not find docker binary in $PATH", d.id)) d.c.Assert(err, check.IsNil, check.Commentf("[%s] could not find docker binary in $PATH", d.id))
args := append(d.GlobalFlags, args := append(d.GlobalFlags,
"--containerd", "/var/run/docker/libcontainerd/docker-containerd.sock", "--containerd", "/var/run/docker/libcontainerd/docker-containerd.sock",
"--graph", d.root, "--graph", d.Root,
"--exec-root", d.execRoot, "--exec-root", d.execRoot,
"--pidfile", fmt.Sprintf("%s/docker.pid", d.folder), "--pidfile", fmt.Sprintf("%s/docker.pid", d.Folder),
fmt.Sprintf("--userland-proxy=%t", d.userlandProxy), fmt.Sprintf("--userland-proxy=%t", d.userlandProxy),
) )
if experimentalDaemon { if d.experimental {
args = append(args, "--experimental", "--init") args = append(args, "--experimental", "--init")
} }
if !(d.useDefaultHost || d.useDefaultTLSHost) { if !(d.UseDefaultHost || d.UseDefaultTLSHost) {
args = append(args, []string{"--host", d.sock()}...) args = append(args, []string{"--host", d.Sock()}...)
} }
if root := os.Getenv("DOCKER_REMAP_ROOT"); root != "" { if root := os.Getenv("DOCKER_REMAP_ROOT"); root != "" {
args = append(args, []string{"--userns-remap", root}...) args = append(args, []string{"--userns-remap", root}...)
@ -206,7 +242,7 @@ func (d *Daemon) StartWithLogFile(out *os.File, providedArgs ...string) error {
close(wait) close(wait)
}() }()
d.wait = wait d.Wait = wait
tick := time.Tick(500 * time.Millisecond) tick := time.Tick(500 * time.Millisecond)
// make sure daemon is ready to receive requests // make sure daemon is ready to receive requests
@ -242,12 +278,12 @@ func (d *Daemon) StartWithLogFile(out *os.File, providedArgs ...string) error {
d.c.Logf("[%s] received status != 200 OK: %s", d.id, resp.Status) d.c.Logf("[%s] received status != 200 OK: %s", d.id, resp.Status)
} }
d.c.Logf("[%s] daemon started", d.id) d.c.Logf("[%s] daemon started", d.id)
d.root, err = d.queryRootDir() d.Root, err = d.queryRootDir()
if err != nil { if err != nil {
return fmt.Errorf("[%s] error querying daemon for root directory: %v", d.id, err) return fmt.Errorf("[%s] error querying daemon for root directory: %v", d.id, err)
} }
return nil return nil
case <-d.wait: case <-d.Wait:
return fmt.Errorf("[%s] Daemon exited during startup", d.id) return fmt.Errorf("[%s] Daemon exited during startup", d.id)
} }
} }
@ -264,7 +300,7 @@ func (d *Daemon) StartWithBusybox(arg ...string) error {
// Kill will send a SIGKILL to the daemon // Kill will send a SIGKILL to the daemon
func (d *Daemon) Kill() error { func (d *Daemon) Kill() error {
if d.cmd == nil || d.wait == nil { if d.cmd == nil || d.Wait == nil {
return errors.New("daemon not started") return errors.New("daemon not started")
} }
@ -278,13 +314,31 @@ func (d *Daemon) Kill() error {
return err return err
} }
if err := os.Remove(fmt.Sprintf("%s/docker.pid", d.folder)); err != nil { if err := os.Remove(fmt.Sprintf("%s/docker.pid", d.Folder)); err != nil {
return err return err
} }
return nil return nil
} }
// Pid returns the pid of the daemon
func (d *Daemon) Pid() int {
return d.cmd.Process.Pid
}
// Interrupt stops the daemon by sending it an Interrupt signal
func (d *Daemon) Interrupt() error {
return d.Signal(os.Interrupt)
}
// Signal sends the specified signal to the daemon if running
func (d *Daemon) Signal(signal os.Signal) error {
if d.cmd == nil || d.Wait == nil {
return errors.New("daemon not started")
}
return d.cmd.Process.Signal(signal)
}
// DumpStackAndQuit sends SIGQUIT to the daemon, which triggers it to dump its // DumpStackAndQuit sends SIGQUIT to the daemon, which triggers it to dump its
// stack to its log file and exit // stack to its log file and exit
// This is used primarily for gathering debug information on test timeout // This is used primarily for gathering debug information on test timeout
@ -292,7 +346,7 @@ func (d *Daemon) DumpStackAndQuit() {
if d.cmd == nil || d.cmd.Process == nil { if d.cmd == nil || d.cmd.Process == nil {
return return
} }
signalDaemonDump(d.cmd.Process.Pid) SignalDaemonDump(d.cmd.Process.Pid)
} }
// Stop will send a SIGINT every second and wait for the daemon to stop. // Stop will send a SIGINT every second and wait for the daemon to stop.
@ -300,7 +354,7 @@ func (d *Daemon) DumpStackAndQuit() {
// Stop will not delete the daemon directory. If a purged daemon is needed, // Stop will not delete the daemon directory. If a purged daemon is needed,
// instantiate a new one with NewDaemon. // instantiate a new one with NewDaemon.
func (d *Daemon) Stop() error { func (d *Daemon) Stop() error {
if d.cmd == nil || d.wait == nil { if d.cmd == nil || d.Wait == nil {
return errors.New("daemon not started") return errors.New("daemon not started")
} }
@ -318,7 +372,7 @@ func (d *Daemon) Stop() error {
out1: out1:
for { for {
select { select {
case err := <-d.wait: case err := <-d.Wait:
return err return err
case <-time.After(20 * time.Second): case <-time.After(20 * time.Second):
// time for stopping jobs and run onShutdown hooks // time for stopping jobs and run onShutdown hooks
@ -330,7 +384,7 @@ out1:
out2: out2:
for { for {
select { select {
case err := <-d.wait: case err := <-d.Wait:
return err return err
case <-tick: case <-tick:
i++ i++
@ -350,7 +404,7 @@ out2:
return err return err
} }
if err := os.Remove(fmt.Sprintf("%s/docker.pid", d.folder)); err != nil { if err := os.Remove(fmt.Sprintf("%s/docker.pid", d.Folder)); err != nil {
return err return err
} }
@ -361,26 +415,26 @@ out2:
func (d *Daemon) Restart(arg ...string) error { func (d *Daemon) Restart(arg ...string) error {
d.Stop() d.Stop()
// in the case of tests running a user namespace-enabled daemon, we have resolved // in the case of tests running a user namespace-enabled daemon, we have resolved
// d.root to be the actual final path of the graph dir after the "uid.gid" of // d.Root to be the actual final path of the graph dir after the "uid.gid" of
// remapped root is added--we need to subtract it from the path before calling // remapped root is added--we need to subtract it from the path before calling
// start or else we will continue making subdirectories rather than truly restarting // start or else we will continue making subdirectories rather than truly restarting
// with the same location/root: // with the same location/root:
if root := os.Getenv("DOCKER_REMAP_ROOT"); root != "" { if root := os.Getenv("DOCKER_REMAP_ROOT"); root != "" {
d.root = filepath.Dir(d.root) d.Root = filepath.Dir(d.Root)
} }
return d.Start(arg...) return d.Start(arg...)
} }
// LoadBusybox will load the stored busybox into a newly started daemon // LoadBusybox will load the stored busybox into a newly started daemon
func (d *Daemon) LoadBusybox() error { func (d *Daemon) LoadBusybox() error {
bb := filepath.Join(d.folder, "busybox.tar") bb := filepath.Join(d.Folder, "busybox.tar")
if _, err := os.Stat(bb); err != nil { if _, err := os.Stat(bb); err != nil {
if !os.IsNotExist(err) { if !os.IsNotExist(err) {
return fmt.Errorf("unexpected error on busybox.tar stat: %v", err) return fmt.Errorf("unexpected error on busybox.tar stat: %v", err)
} }
// saving busybox image from main daemon // saving busybox image from main daemon
if out, err := exec.Command(dockerBinary, "save", "--output", bb, "busybox:latest").CombinedOutput(); err != nil { if out, err := exec.Command(d.dockerBinary, "save", "--output", bb, "busybox:latest").CombinedOutput(); err != nil {
imagesOut, _ := exec.Command(dockerBinary, "images", "--format", "{{ .Repository }}:{{ .Tag }}").CombinedOutput() imagesOut, _ := exec.Command(d.dockerBinary, "images", "--format", "{{ .Repository }}:{{ .Tag }}").CombinedOutput()
return fmt.Errorf("could not save busybox image: %s\n%s", string(out), strings.TrimSpace(string(imagesOut))) return fmt.Errorf("could not save busybox image: %s\n%s", string(out), strings.TrimSpace(string(imagesOut)))
} }
} }
@ -427,7 +481,7 @@ func (d *Daemon) queryRootDir() (string, error) {
} }
var b []byte var b []byte
var i Info var i Info
b, err = readBody(body) b, err = integration.ReadBody(body)
if err == nil && resp.StatusCode == http.StatusOK { if err == nil && resp.StatusCode == http.StatusOK {
// read the docker root dir // read the docker root dir
if err = json.Unmarshal(b, &i); err == nil { if err = json.Unmarshal(b, &i); err == nil {
@ -437,22 +491,25 @@ func (d *Daemon) queryRootDir() (string, error) {
return "", err return "", err
} }
func (d *Daemon) sock() string { // Sock returns the socket path of the daemon
func (d *Daemon) Sock() string {
return fmt.Sprintf("unix://" + d.sockPath()) return fmt.Sprintf("unix://" + d.sockPath())
} }
func (d *Daemon) sockPath() string { func (d *Daemon) sockPath() string {
return filepath.Join(daemonSockRoot, d.id+".sock") return filepath.Join(SockRoot, d.id+".sock")
} }
func (d *Daemon) waitRun(contID string) error { // WaitRun waits for a container to be running for 10s
args := []string{"--host", d.sock()} func (d *Daemon) WaitRun(contID string) error {
return waitInspectWithArgs(contID, "{{.State.Running}}", "true", 10*time.Second, args...) args := []string{"--host", d.Sock()}
return WaitInspectWithArgs(d.dockerBinary, contID, "{{.State.Running}}", "true", 10*time.Second, args...)
} }
func (d *Daemon) getBaseDeviceSize(c *check.C) int64 { // GetBaseDeviceSize returns the base device size of the daemon
infoCmdOutput, _, err := runCommandPipelineWithOutput( func (d *Daemon) GetBaseDeviceSize(c *check.C) int64 {
exec.Command(dockerBinary, "-H", d.sock(), "info"), infoCmdOutput, _, err := integration.RunCommandPipelineWithOutput(
exec.Command(d.dockerBinary, "-H", d.Sock(), "info"),
exec.Command("grep", "Base Device Size"), exec.Command("grep", "Base Device Size"),
) )
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -468,21 +525,23 @@ func (d *Daemon) getBaseDeviceSize(c *check.C) int64 {
// Cmd will execute a docker CLI command against this Daemon. // Cmd will execute a docker CLI command against this Daemon.
// Example: d.Cmd("version") will run docker -H unix://path/to/unix.sock version // Example: d.Cmd("version") will run docker -H unix://path/to/unix.sock version
func (d *Daemon) Cmd(args ...string) (string, error) { func (d *Daemon) Cmd(args ...string) (string, error) {
b, err := d.command(args...).CombinedOutput() b, err := d.Command(args...).CombinedOutput()
return string(b), err return string(b), err
} }
func (d *Daemon) command(args ...string) *exec.Cmd { // Command will create a docker CLI command against this Daeomn.
return exec.Command(dockerBinary, d.prependHostArg(args)...) func (d *Daemon) Command(args ...string) *exec.Cmd {
return exec.Command(d.dockerBinary, d.PrependHostArg(args)...)
} }
func (d *Daemon) prependHostArg(args []string) []string { // PrependHostArg prepend the specified arguments by the daemon host flags
func (d *Daemon) PrependHostArg(args []string) []string {
for _, arg := range args { for _, arg := range args {
if arg == "--host" || arg == "-H" { if arg == "--host" || arg == "-H" {
return args return args
} }
} }
return append([]string{"--host", d.sock()}, args...) return append([]string{"--host", d.Sock()}, args...)
} }
// SockRequest executes a socket request on a daemon and returns statuscode and output. // SockRequest executes a socket request on a daemon and returns statuscode and output.
@ -496,14 +555,14 @@ func (d *Daemon) SockRequest(method, endpoint string, data interface{}) (int, []
if err != nil { if err != nil {
return -1, nil, err return -1, nil, err
} }
b, err := readBody(body) b, err := integration.ReadBody(body)
return res.StatusCode, b, err return res.StatusCode, b, err
} }
// SockRequestRaw executes a socket request on a daemon and returns an http // SockRequestRaw executes a socket request on a daemon and returns an http
// response and a reader for the output data. // response and a reader for the output data.
func (d *Daemon) SockRequestRaw(method, endpoint string, data io.Reader, ct string) (*http.Response, io.ReadCloser, error) { func (d *Daemon) SockRequestRaw(method, endpoint string, data io.Reader, ct string) (*http.Response, io.ReadCloser, error) {
return sockRequestRawToDaemon(method, endpoint, data, ct, d.sock()) return SockRequestRawToDaemon(method, endpoint, data, ct, d.Sock())
} }
// LogFileName returns the path the the daemon's log file // LogFileName returns the path the the daemon's log file
@ -511,11 +570,14 @@ func (d *Daemon) LogFileName() string {
return d.logFile.Name() return d.logFile.Name()
} }
func (d *Daemon) getIDByName(name string) (string, error) { // GetIDByName returns the ID of an object (container, volume, …) given its name
func (d *Daemon) GetIDByName(name string) (string, error) {
return d.inspectFieldWithError(name, "Id") return d.inspectFieldWithError(name, "Id")
} }
func (d *Daemon) activeContainers() (ids []string) { // ActiveContainers returns the list of ids of the currently running containers
func (d *Daemon) ActiveContainers() (ids []string) {
// FIXME(vdemeester) shouldn't ignore the error
out, _ := d.Cmd("ps", "-q") out, _ := d.Cmd("ps", "-q")
for _, id := range strings.Split(out, "\n") { for _, id := range strings.Split(out, "\n") {
if id = strings.TrimSpace(id); id != "" { if id = strings.TrimSpace(id); id != "" {
@ -525,6 +587,11 @@ func (d *Daemon) activeContainers() (ids []string) {
return return
} }
// ReadLogFile returns the content of the daemon log file
func (d *Daemon) ReadLogFile() ([]byte, error) {
return ioutil.ReadFile(d.logFile.Name())
}
func (d *Daemon) inspectFilter(name, filter string) (string, error) { func (d *Daemon) inspectFilter(name, filter string) (string, error) {
format := fmt.Sprintf("{{%s}}", filter) format := fmt.Sprintf("{{%s}}", filter)
out, err := d.Cmd("inspect", "-f", format, name) out, err := d.Cmd("inspect", "-f", format, name)
@ -538,7 +605,9 @@ func (d *Daemon) inspectFieldWithError(name, field string) (string, error) {
return d.inspectFilter(name, fmt.Sprintf(".%s", field)) return d.inspectFilter(name, fmt.Sprintf(".%s", field))
} }
func (d *Daemon) findContainerIP(id string) string { // FindContainerIP returns the ip of the specified container
// FIXME(vdemeester) should probably erroring out
func (d *Daemon) FindContainerIP(id string) string {
out, err := d.Cmd("inspect", fmt.Sprintf("--format='{{ .NetworkSettings.Networks.bridge.IPAddress }}'"), id) out, err := d.Cmd("inspect", fmt.Sprintf("--format='{{ .NetworkSettings.Networks.bridge.IPAddress }}'"), id)
if err != nil { if err != nil {
d.c.Log(err) d.c.Log(err)
@ -546,12 +615,22 @@ func (d *Daemon) findContainerIP(id string) string {
return strings.Trim(out, " \r\n'") return strings.Trim(out, " \r\n'")
} }
func (d *Daemon) buildImageWithOut(name, dockerfile string, useCache bool, buildFlags ...string) (string, int, error) { // BuildImageWithOut builds an image with the specified dockerfile and options and returns the output
buildCmd := buildImageCmdWithHost(name, dockerfile, d.sock(), useCache, buildFlags...) func (d *Daemon) BuildImageWithOut(name, dockerfile string, useCache bool, buildFlags ...string) (string, int, error) {
return runCommandWithOutput(buildCmd) buildCmd := BuildImageCmdWithHost(d.dockerBinary, name, dockerfile, d.Sock(), useCache, buildFlags...)
result := icmd.RunCmd(icmd.Cmd{
Command: buildCmd.Args,
Env: buildCmd.Env,
Dir: buildCmd.Dir,
Stdin: buildCmd.Stdin,
Stdout: buildCmd.Stdout,
})
return result.Combined(), result.ExitCode, result.Error
} }
func (d *Daemon) checkActiveContainerCount(c *check.C) (interface{}, check.CommentInterface) { // CheckActiveContainerCount returns the number of active containers
// FIXME(vdemeester) should re-use ActivateContainers in some way
func (d *Daemon) CheckActiveContainerCount(c *check.C) (interface{}, check.CommentInterface) {
out, err := d.Cmd("ps", "-q") out, err := d.Cmd("ps", "-q")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
if len(strings.TrimSpace(out)) == 0 { if len(strings.TrimSpace(out)) == 0 {
@ -560,7 +639,8 @@ func (d *Daemon) checkActiveContainerCount(c *check.C) (interface{}, check.Comme
return len(strings.Split(strings.TrimSpace(out), "\n")), check.Commentf("output: %q", string(out)) return len(strings.Split(strings.TrimSpace(out), "\n")), check.Commentf("output: %q", string(out))
} }
func (d *Daemon) reloadConfig() error { // ReloadConfig asks the daemon to reload its configuration
func (d *Daemon) ReloadConfig() error {
if d.cmd == nil || d.cmd.Process == nil { if d.cmd == nil || d.cmd.Process == nil {
return fmt.Errorf("daemon is not running") return fmt.Errorf("daemon is not running")
} }
@ -568,7 +648,7 @@ func (d *Daemon) reloadConfig() error {
errCh := make(chan error) errCh := make(chan error)
started := make(chan struct{}) started := make(chan struct{})
go func() { go func() {
_, body, err := sockRequestRawToDaemon("GET", "/events", nil, "", d.sock()) _, body, err := SockRequestRawToDaemon("GET", "/events", nil, "", d.Sock())
close(started) close(started)
if err != nil { if err != nil {
errCh <- err errCh <- err
@ -606,3 +686,149 @@ func (d *Daemon) reloadConfig() error {
} }
return nil return nil
} }
// WaitInspectWithArgs waits for the specified expression to be equals to the specified expected string in the given time.
// FIXME(vdemeester) Attach this to the Daemon struct
func WaitInspectWithArgs(dockerBinary, name, expr, expected string, timeout time.Duration, arg ...string) error {
after := time.After(timeout)
args := append(arg, "inspect", "-f", expr, name)
for {
result := icmd.RunCommand(dockerBinary, args...)
if result.Error != nil {
if !strings.Contains(result.Stderr(), "No such") {
return fmt.Errorf("error executing docker inspect: %v\n%s",
result.Stderr(), result.Stdout())
}
select {
case <-after:
return result.Error
default:
time.Sleep(10 * time.Millisecond)
continue
}
}
out := strings.TrimSpace(result.Stdout())
if out == expected {
break
}
select {
case <-after:
return fmt.Errorf("condition \"%q == %q\" not true in time", out, expected)
default:
}
time.Sleep(100 * time.Millisecond)
}
return nil
}
// SockRequestRawToDaemon creates an http request against the specified daemon socket
// FIXME(vdemeester) attach this to daemon ?
func SockRequestRawToDaemon(method, endpoint string, data io.Reader, ct, daemon string) (*http.Response, io.ReadCloser, error) {
req, client, err := newRequestClient(method, endpoint, data, ct, daemon)
if err != nil {
return nil, nil, err
}
resp, err := client.Do(req)
if err != nil {
client.Close()
return nil, nil, err
}
body := ioutils.NewReadCloserWrapper(resp.Body, func() error {
defer resp.Body.Close()
return client.Close()
})
return resp, body, nil
}
func getTLSConfig() (*tls.Config, error) {
dockerCertPath := os.Getenv("DOCKER_CERT_PATH")
if dockerCertPath == "" {
return nil, fmt.Errorf("DOCKER_TLS_VERIFY specified, but no DOCKER_CERT_PATH environment variable")
}
option := &tlsconfig.Options{
CAFile: filepath.Join(dockerCertPath, "ca.pem"),
CertFile: filepath.Join(dockerCertPath, "cert.pem"),
KeyFile: filepath.Join(dockerCertPath, "key.pem"),
}
tlsConfig, err := tlsconfig.Client(*option)
if err != nil {
return nil, err
}
return tlsConfig, nil
}
// SockConn opens a connection on the specified socket
func SockConn(timeout time.Duration, daemon string) (net.Conn, error) {
daemonURL, err := url.Parse(daemon)
if err != nil {
return nil, fmt.Errorf("could not parse url %q: %v", daemon, err)
}
var c net.Conn
switch daemonURL.Scheme {
case "npipe":
return npipeDial(daemonURL.Path, timeout)
case "unix":
return net.DialTimeout(daemonURL.Scheme, daemonURL.Path, timeout)
case "tcp":
if os.Getenv("DOCKER_TLS_VERIFY") != "" {
// Setup the socket TLS configuration.
tlsConfig, err := getTLSConfig()
if err != nil {
return nil, err
}
dialer := &net.Dialer{Timeout: timeout}
return tls.DialWithDialer(dialer, daemonURL.Scheme, daemonURL.Host, tlsConfig)
}
return net.DialTimeout(daemonURL.Scheme, daemonURL.Host, timeout)
default:
return c, fmt.Errorf("unknown scheme %v (%s)", daemonURL.Scheme, daemon)
}
}
func newRequestClient(method, endpoint string, data io.Reader, ct, daemon string) (*http.Request, *httputil.ClientConn, error) {
c, err := SockConn(time.Duration(10*time.Second), daemon)
if err != nil {
return nil, nil, fmt.Errorf("could not dial docker daemon: %v", err)
}
client := httputil.NewClientConn(c, nil)
req, err := http.NewRequest(method, endpoint, data)
if err != nil {
client.Close()
return nil, nil, fmt.Errorf("could not create new request: %v", err)
}
if ct != "" {
req.Header.Set("Content-Type", ct)
}
return req, client, nil
}
// BuildImageCmdWithHost create a build command with the specified arguments.
// FIXME(vdemeester) move this away
func BuildImageCmdWithHost(dockerBinary, name, dockerfile, host string, useCache bool, buildFlags ...string) *exec.Cmd {
args := []string{}
if host != "" {
args = append(args, "--host", host)
}
args = append(args, "build", "-t", name)
if !useCache {
args = append(args, "--no-cache")
}
args = append(args, buildFlags...)
args = append(args, "-")
buildCmd := exec.Command(dockerBinary, args...)
buildCmd.Stdin = strings.NewReader(dockerfile)
return buildCmd
}

View File

@ -1,4 +1,4 @@
package main package daemon
import ( import (
"encoding/json" "encoding/json"
@ -14,18 +14,18 @@ import (
"github.com/go-check/check" "github.com/go-check/check"
) )
// SwarmDaemon is a test daemon with helpers for participating in a swarm. // Swarm is a test daemon with helpers for participating in a swarm.
type SwarmDaemon struct { type Swarm struct {
*Daemon *Daemon
swarm.Info swarm.Info
port int Port int
listenAddr string ListenAddr string
} }
// Init initializes a new swarm cluster. // Init initializes a new swarm cluster.
func (d *SwarmDaemon) Init(req swarm.InitRequest) error { func (d *Swarm) Init(req swarm.InitRequest) error {
if req.ListenAddr == "" { if req.ListenAddr == "" {
req.ListenAddr = d.listenAddr req.ListenAddr = d.ListenAddr
} }
status, out, err := d.SockRequest("POST", "/swarm/init", req) status, out, err := d.SockRequest("POST", "/swarm/init", req)
if status != http.StatusOK { if status != http.StatusOK {
@ -34,7 +34,7 @@ func (d *SwarmDaemon) Init(req swarm.InitRequest) error {
if err != nil { if err != nil {
return fmt.Errorf("initializing swarm: %v", err) return fmt.Errorf("initializing swarm: %v", err)
} }
info, err := d.info() info, err := d.SwarmInfo()
if err != nil { if err != nil {
return err return err
} }
@ -43,9 +43,9 @@ func (d *SwarmDaemon) Init(req swarm.InitRequest) error {
} }
// Join joins a daemon to an existing cluster. // Join joins a daemon to an existing cluster.
func (d *SwarmDaemon) Join(req swarm.JoinRequest) error { func (d *Swarm) Join(req swarm.JoinRequest) error {
if req.ListenAddr == "" { if req.ListenAddr == "" {
req.ListenAddr = d.listenAddr req.ListenAddr = d.ListenAddr
} }
status, out, err := d.SockRequest("POST", "/swarm/join", req) status, out, err := d.SockRequest("POST", "/swarm/join", req)
if status != http.StatusOK { if status != http.StatusOK {
@ -54,7 +54,7 @@ func (d *SwarmDaemon) Join(req swarm.JoinRequest) error {
if err != nil { if err != nil {
return fmt.Errorf("joining swarm: %v", err) return fmt.Errorf("joining swarm: %v", err)
} }
info, err := d.info() info, err := d.SwarmInfo()
if err != nil { if err != nil {
return err return err
} }
@ -63,7 +63,7 @@ func (d *SwarmDaemon) Join(req swarm.JoinRequest) error {
} }
// Leave forces daemon to leave current cluster. // Leave forces daemon to leave current cluster.
func (d *SwarmDaemon) Leave(force bool) error { func (d *Swarm) Leave(force bool) error {
url := "/swarm/leave" url := "/swarm/leave"
if force { if force {
url += "?force=1" url += "?force=1"
@ -78,7 +78,8 @@ func (d *SwarmDaemon) Leave(force bool) error {
return err return err
} }
func (d *SwarmDaemon) info() (swarm.Info, error) { // SwarmInfo returns the swarm information of the daemon
func (d *Swarm) SwarmInfo() (swarm.Info, error) {
var info struct { var info struct {
Swarm swarm.Info Swarm swarm.Info
} }
@ -95,11 +96,17 @@ func (d *SwarmDaemon) info() (swarm.Info, error) {
return info.Swarm, nil return info.Swarm, nil
} }
type serviceConstructor func(*swarm.Service) // ServiceConstructor defines a swarm service constructor function
type nodeConstructor func(*swarm.Node) type ServiceConstructor func(*swarm.Service)
type specConstructor func(*swarm.Spec)
func (d *SwarmDaemon) createService(c *check.C, f ...serviceConstructor) string { // NodeConstructor defines a swarm node constructor
type NodeConstructor func(*swarm.Node)
// SpecConstructor defines a swarm spec constructor
type SpecConstructor func(*swarm.Spec)
// CreateService creates a swarm service given the specified service constructor
func (d *Swarm) CreateService(c *check.C, f ...ServiceConstructor) string {
var service swarm.Service var service swarm.Service
for _, fn := range f { for _, fn := range f {
fn(&service) fn(&service)
@ -114,7 +121,8 @@ func (d *SwarmDaemon) createService(c *check.C, f ...serviceConstructor) string
return scr.ID return scr.ID
} }
func (d *SwarmDaemon) getService(c *check.C, id string) *swarm.Service { // GetService returns the swarm service corresponding to the specified id
func (d *Swarm) GetService(c *check.C, id string) *swarm.Service {
var service swarm.Service var service swarm.Service
status, out, err := d.SockRequest("GET", "/services/"+id, nil) status, out, err := d.SockRequest("GET", "/services/"+id, nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -123,7 +131,8 @@ func (d *SwarmDaemon) getService(c *check.C, id string) *swarm.Service {
return &service return &service
} }
func (d *SwarmDaemon) getServiceTasks(c *check.C, service string) []swarm.Task { // GetServiceTasks returns the swarm tasks for the specified service
func (d *Swarm) GetServiceTasks(c *check.C, service string) []swarm.Task {
var tasks []swarm.Task var tasks []swarm.Task
filterArgs := filters.NewArgs() filterArgs := filters.NewArgs()
@ -139,9 +148,10 @@ func (d *SwarmDaemon) getServiceTasks(c *check.C, service string) []swarm.Task {
return tasks return tasks
} }
func (d *SwarmDaemon) checkServiceRunningTasks(service string) func(*check.C) (interface{}, check.CommentInterface) { // CheckServiceRunningTasks returns the number of running tasks for the specified service
func (d *Swarm) CheckServiceRunningTasks(service string) func(*check.C) (interface{}, check.CommentInterface) {
return func(c *check.C) (interface{}, check.CommentInterface) { return func(c *check.C) (interface{}, check.CommentInterface) {
tasks := d.getServiceTasks(c, service) tasks := d.GetServiceTasks(c, service)
var runningCount int var runningCount int
for _, task := range tasks { for _, task := range tasks {
if task.Status.State == swarm.TaskStateRunning { if task.Status.State == swarm.TaskStateRunning {
@ -152,9 +162,10 @@ func (d *SwarmDaemon) checkServiceRunningTasks(service string) func(*check.C) (i
} }
} }
func (d *SwarmDaemon) checkServiceUpdateState(service string) func(*check.C) (interface{}, check.CommentInterface) { // CheckServiceUpdateState returns the current update state for the specified service
func (d *Swarm) CheckServiceUpdateState(service string) func(*check.C) (interface{}, check.CommentInterface) {
return func(c *check.C) (interface{}, check.CommentInterface) { return func(c *check.C) (interface{}, check.CommentInterface) {
service := d.getService(c, service) service := d.GetService(c, service)
if service.UpdateStatus == nil { if service.UpdateStatus == nil {
return "", nil return "", nil
} }
@ -162,14 +173,16 @@ func (d *SwarmDaemon) checkServiceUpdateState(service string) func(*check.C) (in
} }
} }
func (d *SwarmDaemon) checkServiceTasks(service string) func(*check.C) (interface{}, check.CommentInterface) { // CheckServiceTasks returns the number of tasks for the specified service
func (d *Swarm) CheckServiceTasks(service string) func(*check.C) (interface{}, check.CommentInterface) {
return func(c *check.C) (interface{}, check.CommentInterface) { return func(c *check.C) (interface{}, check.CommentInterface) {
tasks := d.getServiceTasks(c, service) tasks := d.GetServiceTasks(c, service)
return len(tasks), nil return len(tasks), nil
} }
} }
func (d *SwarmDaemon) checkRunningTaskImages(c *check.C) (interface{}, check.CommentInterface) { // CheckRunningTaskImages returns the number of different images attached to a running task
func (d *Swarm) CheckRunningTaskImages(c *check.C) (interface{}, check.CommentInterface) {
var tasks []swarm.Task var tasks []swarm.Task
filterArgs := filters.NewArgs() filterArgs := filters.NewArgs()
@ -191,8 +204,9 @@ func (d *SwarmDaemon) checkRunningTaskImages(c *check.C) (interface{}, check.Com
return result, nil return result, nil
} }
func (d *SwarmDaemon) checkNodeReadyCount(c *check.C) (interface{}, check.CommentInterface) { // CheckNodeReadyCount returns the number of ready node on the swarm
nodes := d.listNodes(c) func (d *Swarm) CheckNodeReadyCount(c *check.C) (interface{}, check.CommentInterface) {
nodes := d.ListNodes(c)
var readyCount int var readyCount int
for _, node := range nodes { for _, node := range nodes {
if node.Status.State == swarm.NodeStateReady { if node.Status.State == swarm.NodeStateReady {
@ -202,7 +216,8 @@ func (d *SwarmDaemon) checkNodeReadyCount(c *check.C) (interface{}, check.Commen
return readyCount, nil return readyCount, nil
} }
func (d *SwarmDaemon) getTask(c *check.C, id string) swarm.Task { // GetTask returns the swarm task identified by the specified id
func (d *Swarm) GetTask(c *check.C, id string) swarm.Task {
var task swarm.Task var task swarm.Task
status, out, err := d.SockRequest("GET", "/tasks/"+id, nil) status, out, err := d.SockRequest("GET", "/tasks/"+id, nil)
@ -212,7 +227,8 @@ func (d *SwarmDaemon) getTask(c *check.C, id string) swarm.Task {
return task return task
} }
func (d *SwarmDaemon) updateService(c *check.C, service *swarm.Service, f ...serviceConstructor) { // UpdateService updates a swarm service with the specified service constructor
func (d *Swarm) UpdateService(c *check.C, service *swarm.Service, f ...ServiceConstructor) {
for _, fn := range f { for _, fn := range f {
fn(service) fn(service)
} }
@ -222,13 +238,15 @@ func (d *SwarmDaemon) updateService(c *check.C, service *swarm.Service, f ...ser
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) removeService(c *check.C, id string) { // RemoveService removes the specified service
func (d *Swarm) RemoveService(c *check.C, id string) {
status, out, err := d.SockRequest("DELETE", "/services/"+id, nil) status, out, err := d.SockRequest("DELETE", "/services/"+id, nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) getNode(c *check.C, id string) *swarm.Node { // GetNode returns a swarm node identified by the specified id
func (d *Swarm) GetNode(c *check.C, id string) *swarm.Node {
var node swarm.Node var node swarm.Node
status, out, err := d.SockRequest("GET", "/nodes/"+id, nil) status, out, err := d.SockRequest("GET", "/nodes/"+id, nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -238,7 +256,8 @@ func (d *SwarmDaemon) getNode(c *check.C, id string) *swarm.Node {
return &node return &node
} }
func (d *SwarmDaemon) removeNode(c *check.C, id string, force bool) { // RemoveNode removes the specified node
func (d *Swarm) RemoveNode(c *check.C, id string, force bool) {
url := "/nodes/" + id url := "/nodes/" + id
if force { if force {
url += "?force=1" url += "?force=1"
@ -249,9 +268,10 @@ func (d *SwarmDaemon) removeNode(c *check.C, id string, force bool) {
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) updateNode(c *check.C, id string, f ...nodeConstructor) { // UpdateNode updates a swarm node with the specified node constructor
func (d *Swarm) UpdateNode(c *check.C, id string, f ...NodeConstructor) {
for i := 0; ; i++ { for i := 0; ; i++ {
node := d.getNode(c, id) node := d.GetNode(c, id)
for _, fn := range f { for _, fn := range f {
fn(node) fn(node)
} }
@ -267,7 +287,8 @@ func (d *SwarmDaemon) updateNode(c *check.C, id string, f ...nodeConstructor) {
} }
} }
func (d *SwarmDaemon) listNodes(c *check.C) []swarm.Node { // ListNodes returns the list of the current swarm nodes
func (d *Swarm) ListNodes(c *check.C) []swarm.Node {
status, out, err := d.SockRequest("GET", "/nodes", nil) status, out, err := d.SockRequest("GET", "/nodes", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
@ -277,7 +298,8 @@ func (d *SwarmDaemon) listNodes(c *check.C) []swarm.Node {
return nodes return nodes
} }
func (d *SwarmDaemon) listServices(c *check.C) []swarm.Service { // ListServices return the list of the current swarm services
func (d *Swarm) ListServices(c *check.C) []swarm.Service {
status, out, err := d.SockRequest("GET", "/services", nil) status, out, err := d.SockRequest("GET", "/services", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
@ -287,7 +309,8 @@ func (d *SwarmDaemon) listServices(c *check.C) []swarm.Service {
return services return services
} }
func (d *SwarmDaemon) createSecret(c *check.C, secretSpec swarm.SecretSpec) string { // CreateSecret creates a secret given the specified spec
func (d *Swarm) CreateSecret(c *check.C, secretSpec swarm.SecretSpec) string {
status, out, err := d.SockRequest("POST", "/secrets/create", secretSpec) status, out, err := d.SockRequest("POST", "/secrets/create", secretSpec)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -298,7 +321,8 @@ func (d *SwarmDaemon) createSecret(c *check.C, secretSpec swarm.SecretSpec) stri
return scr.ID return scr.ID
} }
func (d *SwarmDaemon) listSecrets(c *check.C) []swarm.Secret { // ListSecrets returns the list of the current swarm secrets
func (d *Swarm) ListSecrets(c *check.C) []swarm.Secret {
status, out, err := d.SockRequest("GET", "/secrets", nil) status, out, err := d.SockRequest("GET", "/secrets", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
@ -308,7 +332,8 @@ func (d *SwarmDaemon) listSecrets(c *check.C) []swarm.Secret {
return secrets return secrets
} }
func (d *SwarmDaemon) getSecret(c *check.C, id string) *swarm.Secret { // GetSecret returns a swarm secret identified by the specified id
func (d *Swarm) GetSecret(c *check.C, id string) *swarm.Secret {
var secret swarm.Secret var secret swarm.Secret
status, out, err := d.SockRequest("GET", "/secrets/"+id, nil) status, out, err := d.SockRequest("GET", "/secrets/"+id, nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -317,13 +342,15 @@ func (d *SwarmDaemon) getSecret(c *check.C, id string) *swarm.Secret {
return &secret return &secret
} }
func (d *SwarmDaemon) deleteSecret(c *check.C, id string) { // DeleteSecret removes the swarm secret identified by the specified id
func (d *Swarm) DeleteSecret(c *check.C, id string) {
status, out, err := d.SockRequest("DELETE", "/secrets/"+id, nil) status, out, err := d.SockRequest("DELETE", "/secrets/"+id, nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
c.Assert(status, checker.Equals, http.StatusNoContent, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusNoContent, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) getSwarm(c *check.C) swarm.Swarm { // GetSwarm return the current swarm object
func (d *Swarm) GetSwarm(c *check.C) swarm.Swarm {
var sw swarm.Swarm var sw swarm.Swarm
status, out, err := d.SockRequest("GET", "/swarm", nil) status, out, err := d.SockRequest("GET", "/swarm", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -332,8 +359,9 @@ func (d *SwarmDaemon) getSwarm(c *check.C) swarm.Swarm {
return sw return sw
} }
func (d *SwarmDaemon) updateSwarm(c *check.C, f ...specConstructor) { // UpdateSwarm updates the current swarm object with the specified spec constructors
sw := d.getSwarm(c) func (d *Swarm) UpdateSwarm(c *check.C, f ...SpecConstructor) {
sw := d.GetSwarm(c)
for _, fn := range f { for _, fn := range f {
fn(&sw.Spec) fn(&sw.Spec)
} }
@ -343,7 +371,8 @@ func (d *SwarmDaemon) updateSwarm(c *check.C, f ...specConstructor) {
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) rotateTokens(c *check.C) { // RotateTokens update the swarm to rotate tokens
func (d *Swarm) RotateTokens(c *check.C) {
var sw swarm.Swarm var sw swarm.Swarm
status, out, err := d.SockRequest("GET", "/swarm", nil) status, out, err := d.SockRequest("GET", "/swarm", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -356,7 +385,8 @@ func (d *SwarmDaemon) rotateTokens(c *check.C) {
c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out))) c.Assert(status, checker.Equals, http.StatusOK, check.Commentf("output: %q", string(out)))
} }
func (d *SwarmDaemon) joinTokens(c *check.C) swarm.JoinTokens { // JoinTokens returns the current swarm join tokens
func (d *Swarm) JoinTokens(c *check.C) swarm.JoinTokens {
var sw swarm.Swarm var sw swarm.Swarm
status, out, err := d.SockRequest("GET", "/swarm", nil) status, out, err := d.SockRequest("GET", "/swarm", nil)
c.Assert(err, checker.IsNil, check.Commentf(string(out))) c.Assert(err, checker.IsNil, check.Commentf(string(out)))
@ -365,20 +395,23 @@ func (d *SwarmDaemon) joinTokens(c *check.C) swarm.JoinTokens {
return sw.JoinTokens return sw.JoinTokens
} }
func (d *SwarmDaemon) checkLocalNodeState(c *check.C) (interface{}, check.CommentInterface) { // CheckLocalNodeState returns the current swarm node state
info, err := d.info() func (d *Swarm) CheckLocalNodeState(c *check.C) (interface{}, check.CommentInterface) {
info, err := d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
return info.LocalNodeState, nil return info.LocalNodeState, nil
} }
func (d *SwarmDaemon) checkControlAvailable(c *check.C) (interface{}, check.CommentInterface) { // CheckControlAvailable returns the current swarm control available
info, err := d.info() func (d *Swarm) CheckControlAvailable(c *check.C) (interface{}, check.CommentInterface) {
info, err := d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive) c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive)
return info.ControlAvailable, nil return info.ControlAvailable, nil
} }
func (d *SwarmDaemon) checkLeader(c *check.C) (interface{}, check.CommentInterface) { // CheckLeader returns whether there is a leader on the swarm or not
func (d *Swarm) CheckLeader(c *check.C) (interface{}, check.CommentInterface) {
errList := check.Commentf("could not get node list") errList := check.Commentf("could not get node list")
status, out, err := d.SockRequest("GET", "/nodes", nil) status, out, err := d.SockRequest("GET", "/nodes", nil)
if err != nil { if err != nil {
@ -401,7 +434,8 @@ func (d *SwarmDaemon) checkLeader(c *check.C) (interface{}, check.CommentInterfa
return fmt.Errorf("no leader"), check.Commentf("could not find leader") return fmt.Errorf("no leader"), check.Commentf("could not find leader")
} }
func (d *SwarmDaemon) cmdRetryOutOfSequence(args ...string) (string, error) { // CmdRetryOutOfSequence tries the specified command against the current daemon for 10 times
func (d *Swarm) CmdRetryOutOfSequence(args ...string) (string, error) {
for i := 0; ; i++ { for i := 0; ; i++ {
out, err := d.Cmd(args...) out, err := d.Cmd(args...)
if err != nil { if err != nil {

View File

@ -1,6 +1,6 @@
// +build !windows // +build !windows
package main package daemon
import ( import (
"os" "os"
@ -26,7 +26,8 @@ func cleanupExecRoot(c *check.C, execRoot string) {
}) })
} }
func signalDaemonDump(pid int) { // SignalDaemonDump sends a signal to the daemon to write a dump file
func SignalDaemonDump(pid int) {
syscall.Kill(pid, syscall.SIGQUIT) syscall.Kill(pid, syscall.SIGQUIT)
} }

View File

@ -1,4 +1,4 @@
package main package daemon
import ( import (
"fmt" "fmt"
@ -32,7 +32,8 @@ func pulseEvent(handle syscall.Handle, proc *windows.LazyProc) (err error) {
return return
} }
func signalDaemonDump(pid int) { // SignalDaemonDump sends a signal to the daemon to write a dump file
func SignalDaemonDump(pid int) {
modkernel32 := windows.NewLazySystemDLL("kernel32.dll") modkernel32 := windows.NewLazySystemDLL("kernel32.dll")
procOpenEvent := modkernel32.NewProc("OpenEventW") procOpenEvent := modkernel32.NewProc("OpenEventW")
procPulseEvent := modkernel32.NewProc("PulseEvent") procPulseEvent := modkernel32.NewProc("PulseEvent")

View File

@ -1,6 +1,6 @@
// +build !windows // +build !windows
package main package daemon
import ( import (
"net" "net"

View File

@ -1,4 +1,4 @@
package main package daemon
import ( import (
"net" "net"

View File

@ -1,8 +1,11 @@
package main package main
import "github.com/go-check/check" import (
"github.com/docker/docker/integration-cli/daemon"
"github.com/go-check/check"
)
func (s *DockerSwarmSuite) getDaemon(c *check.C, nodeID string) *SwarmDaemon { func (s *DockerSwarmSuite) getDaemon(c *check.C, nodeID string) *daemon.Swarm {
s.daemonsLock.Lock() s.daemonsLock.Lock()
defer s.daemonsLock.Unlock() defer s.daemonsLock.Unlock()
for _, d := range s.daemons { for _, d := range s.daemons {

View File

@ -12,6 +12,7 @@ import (
"github.com/docker/docker/api/types" "github.com/docker/docker/api/types"
"github.com/docker/docker/client" "github.com/docker/docker/client"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/docker/docker/pkg/stdcopy" "github.com/docker/docker/pkg/stdcopy"
"github.com/go-check/check" "github.com/go-check/check"
@ -79,7 +80,7 @@ func (s *DockerSuite) TestPostContainersAttachContainerNotFound(c *check.C) {
// connection will shutdown, err should be "persistent connection closed" // connection will shutdown, err should be "persistent connection closed"
c.Assert(err, checker.NotNil) // Server shutdown connection c.Assert(err, checker.NotNil) // Server shutdown connection
body, err := readBody(resp.Body) body, err := integration.ReadBody(resp.Body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(resp.StatusCode, checker.Equals, http.StatusNotFound) c.Assert(resp.StatusCode, checker.Equals, http.StatusNotFound)
expected := "No such container: doesnotexist\r\n" expected := "No such container: doesnotexist\r\n"

View File

@ -7,6 +7,7 @@ import (
"regexp" "regexp"
"strings" "strings"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -34,7 +35,7 @@ RUN find /tmp/`
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
buf, err := readBody(body) buf, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure Dockerfile exists. // Make sure Dockerfile exists.
@ -125,7 +126,7 @@ RUN echo 'right'
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
defer body.Close() defer body.Close()
content, err := readBody(body) content, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Build used the wrong dockerfile. // Build used the wrong dockerfile.
@ -144,7 +145,7 @@ RUN echo from dockerfile`,
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
buf, err := readBody(body) buf, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out := string(buf) out := string(buf)
@ -166,7 +167,7 @@ RUN echo from Dockerfile`,
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
buf, err := readBody(body) buf, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out := string(buf) out := string(buf)
@ -189,7 +190,7 @@ RUN echo from dockerfile`,
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
buf, err := readBody(body) buf, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out := string(buf) out := string(buf)
@ -236,7 +237,7 @@ func (s *DockerSuite) TestBuildAPIUnnormalizedTarPaths(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusOK) c.Assert(res.StatusCode, checker.Equals, http.StatusOK)
out, err := readBody(body) out, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
lines := strings.Split(string(out), "\n") lines := strings.Split(string(out), "\n")
c.Assert(len(lines), checker.GreaterThan, 1) c.Assert(len(lines), checker.GreaterThan, 1)

View File

@ -723,7 +723,7 @@ func (s *DockerSuite) TestContainerAPIInvalidPortSyntax(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(string(b[:]), checker.Contains, "invalid port") c.Assert(string(b[:]), checker.Contains, "invalid port")
} }
@ -743,7 +743,7 @@ func (s *DockerSuite) TestContainerAPIRestartPolicyInvalidPolicyName(c *check.C)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(string(b[:]), checker.Contains, "invalid restart policy") c.Assert(string(b[:]), checker.Contains, "invalid restart policy")
} }
@ -763,7 +763,7 @@ func (s *DockerSuite) TestContainerAPIRestartPolicyRetryMismatch(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(string(b[:]), checker.Contains, "maximum retry count cannot be used with restart policy") c.Assert(string(b[:]), checker.Contains, "maximum retry count cannot be used with restart policy")
} }
@ -783,7 +783,7 @@ func (s *DockerSuite) TestContainerAPIRestartPolicyNegativeRetryCount(c *check.C
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(string(b[:]), checker.Contains, "maximum retry count cannot be negative") c.Assert(string(b[:]), checker.Contains, "maximum retry count cannot be negative")
} }
@ -834,7 +834,7 @@ func (s *DockerSuite) TestContainerAPIPostCreateNull(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusCreated) c.Assert(res.StatusCode, checker.Equals, http.StatusCreated)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
type createResp struct { type createResp struct {
ID string ID string
@ -863,7 +863,7 @@ func (s *DockerSuite) TestCreateWithTooLowMemoryLimit(c *check.C) {
res, body, err := sockRequestRaw("POST", "/containers/create", strings.NewReader(config), "application/json") res, body, err := sockRequestRaw("POST", "/containers/create", strings.NewReader(config), "application/json")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
b, err2 := readBody(body) b, err2 := integration.ReadBody(body)
c.Assert(err2, checker.IsNil) c.Assert(err2, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)

View File

@ -10,6 +10,7 @@ import (
"strings" "strings"
"time" "time"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -40,7 +41,7 @@ func (s *DockerSuite) TestExecAPICreateNoValidContentType(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
comment := check.Commentf("Expected message when creating exec command with invalid Content-Type specified") comment := check.Commentf("Expected message when creating exec command with invalid Content-Type specified")
@ -107,7 +108,7 @@ func (s *DockerSuite) TestExecAPIStartBackwardsCompatible(c *check.C) {
resp, body, err := sockRequestRaw("POST", fmt.Sprintf("/v1.20/exec/%s/start", id), strings.NewReader(`{"Detach": true}`), "text/plain") resp, body, err := sockRequestRaw("POST", fmt.Sprintf("/v1.20/exec/%s/start", id), strings.NewReader(`{"Detach": true}`), "text/plain")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
b, err := readBody(body) b, err := integration.ReadBody(body)
comment := check.Commentf("response body: %s", b) comment := check.Commentf("response body: %s", b)
c.Assert(err, checker.IsNil, comment) c.Assert(err, checker.IsNil, comment)
c.Assert(resp.StatusCode, checker.Equals, http.StatusOK, comment) c.Assert(resp.StatusCode, checker.Equals, http.StatusOK, comment)
@ -156,7 +157,7 @@ func (s *DockerSuite) TestExecAPIStartWithDetach(c *check.C) {
_, body, err := sockRequestRaw("POST", fmt.Sprintf("/exec/%s/start", createResp.ID), strings.NewReader(`{"Detach": true}`), "application/json") _, body, err := sockRequestRaw("POST", fmt.Sprintf("/exec/%s/start", createResp.ID), strings.NewReader(`{"Detach": true}`), "application/json")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
b, err = readBody(body) b, err = integration.ReadBody(body)
comment := check.Commentf("response body: %s", b) comment := check.Commentf("response body: %s", b)
c.Assert(err, checker.IsNil, comment) c.Assert(err, checker.IsNil, comment)
@ -182,7 +183,7 @@ func startExec(c *check.C, id string, code int) {
resp, body, err := sockRequestRaw("POST", fmt.Sprintf("/exec/%s/start", id), strings.NewReader(`{"Detach": true}`), "application/json") resp, body, err := sockRequestRaw("POST", fmt.Sprintf("/exec/%s/start", id), strings.NewReader(`{"Detach": true}`), "application/json")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
b, err := readBody(body) b, err := integration.ReadBody(body)
comment := check.Commentf("response body: %s", b) comment := check.Commentf("response body: %s", b)
c.Assert(err, checker.IsNil, comment) c.Assert(err, checker.IsNil, comment)
c.Assert(resp.StatusCode, checker.Equals, code, comment) c.Assert(resp.StatusCode, checker.Equals, code, comment)

View File

@ -4,11 +4,12 @@ package main
import ( import (
"github.com/docker/docker/api/types/swarm" "github.com/docker/docker/api/types/swarm"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
func setPortConfig(portConfig []swarm.PortConfig) serviceConstructor { func setPortConfig(portConfig []swarm.PortConfig) daemon.ServiceConstructor {
return func(s *swarm.Service) { return func(s *swarm.Service) {
if s.Spec.EndpointSpec == nil { if s.Spec.EndpointSpec == nil {
s.Spec.EndpointSpec = &swarm.EndpointSpec{} s.Spec.EndpointSpec = &swarm.EndpointSpec{}
@ -22,16 +23,16 @@ func (s *DockerSwarmSuite) TestAPIServiceUpdatePort(c *check.C) {
// Create a service with a port mapping of 8080:8081. // Create a service with a port mapping of 8080:8081.
portConfig := []swarm.PortConfig{{TargetPort: 8081, PublishedPort: 8080}} portConfig := []swarm.PortConfig{{TargetPort: 8081, PublishedPort: 8080}}
serviceID := d.createService(c, simpleTestService, setInstances(1), setPortConfig(portConfig)) serviceID := d.CreateService(c, simpleTestService, setInstances(1), setPortConfig(portConfig))
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// Update the service: changed the port mapping from 8080:8081 to 8082:8083. // Update the service: changed the port mapping from 8080:8081 to 8082:8083.
updatedPortConfig := []swarm.PortConfig{{TargetPort: 8083, PublishedPort: 8082}} updatedPortConfig := []swarm.PortConfig{{TargetPort: 8083, PublishedPort: 8082}}
remoteService := d.getService(c, serviceID) remoteService := d.GetService(c, serviceID)
d.updateService(c, remoteService, setPortConfig(updatedPortConfig)) d.UpdateService(c, remoteService, setPortConfig(updatedPortConfig))
// Inspect the service and verify port mapping. // Inspect the service and verify port mapping.
updatedService := d.getService(c, serviceID) updatedService := d.GetService(c, serviceID)
c.Assert(updatedService.Spec.EndpointSpec, check.NotNil) c.Assert(updatedService.Spec.EndpointSpec, check.NotNil)
c.Assert(len(updatedService.Spec.EndpointSpec.Ports), check.Equals, 1) c.Assert(len(updatedService.Spec.EndpointSpec.Ports), check.Equals, 1)
c.Assert(updatedService.Spec.EndpointSpec.Ports[0].TargetPort, check.Equals, uint32(8083)) c.Assert(updatedService.Spec.EndpointSpec.Ports[0].TargetPort, check.Equals, uint32(8083))

File diff suppressed because it is too large Load Diff

View File

@ -9,6 +9,7 @@ import (
"strings" "strings"
"github.com/docker/docker/api" "github.com/docker/docker/api"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
icmd "github.com/docker/docker/pkg/integration/cmd" icmd "github.com/docker/docker/pkg/integration/cmd"
"github.com/go-check/check" "github.com/go-check/check"
@ -78,7 +79,7 @@ func (s *DockerSuite) TestAPIErrorJSON(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(httpResp.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(httpResp.StatusCode, checker.Equals, http.StatusInternalServerError)
c.Assert(httpResp.Header.Get("Content-Type"), checker.Equals, "application/json") c.Assert(httpResp.Header.Get("Content-Type"), checker.Equals, "application/json")
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(getErrorMessage(c, b), checker.Equals, "Config cannot be empty in order to create a container") c.Assert(getErrorMessage(c, b), checker.Equals, "Config cannot be empty in order to create a container")
} }
@ -91,7 +92,7 @@ func (s *DockerSuite) TestAPIErrorPlainText(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(httpResp.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(httpResp.StatusCode, checker.Equals, http.StatusInternalServerError)
c.Assert(httpResp.Header.Get("Content-Type"), checker.Contains, "text/plain") c.Assert(httpResp.Header.Get("Content-Type"), checker.Contains, "text/plain")
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(strings.TrimSpace(string(b)), checker.Equals, "Config cannot be empty in order to create a container") c.Assert(strings.TrimSpace(string(b)), checker.Equals, "Config cannot be empty in order to create a container")
} }
@ -102,7 +103,7 @@ func (s *DockerSuite) TestAPIErrorNotFoundJSON(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(httpResp.StatusCode, checker.Equals, http.StatusNotFound) c.Assert(httpResp.StatusCode, checker.Equals, http.StatusNotFound)
c.Assert(httpResp.Header.Get("Content-Type"), checker.Equals, "application/json") c.Assert(httpResp.Header.Get("Content-Type"), checker.Equals, "application/json")
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(getErrorMessage(c, b), checker.Equals, "page not found") c.Assert(getErrorMessage(c, b), checker.Equals, "page not found")
} }
@ -112,7 +113,7 @@ func (s *DockerSuite) TestAPIErrorNotFoundPlainText(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(httpResp.StatusCode, checker.Equals, http.StatusNotFound) c.Assert(httpResp.StatusCode, checker.Equals, http.StatusNotFound)
c.Assert(httpResp.Header.Get("Content-Type"), checker.Contains, "text/plain") c.Assert(httpResp.Header.Get("Content-Type"), checker.Contains, "text/plain")
b, err := readBody(body) b, err := integration.ReadBody(body)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(strings.TrimSpace(string(b)), checker.Equals, "page not found") c.Assert(strings.TrimSpace(string(b)), checker.Equals, "page not found")
} }

View File

@ -6,6 +6,7 @@ import (
"fmt" "fmt"
"strings" "strings"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -26,12 +27,14 @@ func init() {
type DockerAuthzV2Suite struct { type DockerAuthzV2Suite struct {
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
} }
func (s *DockerAuthzV2Suite) SetUpTest(c *check.C) { func (s *DockerAuthzV2Suite) SetUpTest(c *check.C) {
testRequires(c, DaemonIsLinux, Network) testRequires(c, DaemonIsLinux, Network)
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
c.Assert(s.d.Start(), check.IsNil) c.Assert(s.d.Start(), check.IsNil)
} }

View File

@ -22,6 +22,7 @@ import (
"net/http/httputil" "net/http/httputil"
"net/url" "net/url"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/authorization" "github.com/docker/docker/pkg/authorization"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/docker/docker/pkg/plugins" "github.com/docker/docker/pkg/plugins"
@ -48,7 +49,7 @@ func init() {
type DockerAuthzSuite struct { type DockerAuthzSuite struct {
server *httptest.Server server *httptest.Server
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
ctrl *authorizationController ctrl *authorizationController
} }
@ -63,7 +64,9 @@ type authorizationController struct {
} }
func (s *DockerAuthzSuite) SetUpTest(c *check.C) { func (s *DockerAuthzSuite) SetUpTest(c *check.C) {
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
s.ctrl = &authorizationController{} s.ctrl = &authorizationController{}
} }
@ -285,7 +288,7 @@ func (s *DockerAuthzSuite) TestAuthZPluginAPIDenyResponse(c *check.C) {
s.ctrl.reqRes.Allow = false s.ctrl.reqRes.Allow = false
s.ctrl.resRes.Msg = unauthorizedMessage s.ctrl.resRes.Msg = unauthorizedMessage
daemonURL, err := url.Parse(s.d.sock()) daemonURL, err := url.Parse(s.d.Sock())
conn, err := net.DialTimeout(daemonURL.Scheme, daemonURL.Path, time.Second*10) conn, err := net.DialTimeout(daemonURL.Scheme, daemonURL.Path, time.Second*10)
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
@ -328,7 +331,7 @@ func (s *DockerAuthzSuite) TestAuthZPluginAllowEventStream(c *check.C) {
startTime := strconv.FormatInt(daemonTime(c).Unix(), 10) startTime := strconv.FormatInt(daemonTime(c).Unix(), 10)
// Add another command to to enable event pipelining // Add another command to to enable event pipelining
eventsCmd := exec.Command(dockerBinary, "--host", s.d.sock(), "events", "--since", startTime) eventsCmd := exec.Command(dockerBinary, "--host", s.d.Sock(), "events", "--since", startTime)
stdout, err := eventsCmd.StdoutPipe() stdout, err := eventsCmd.StdoutPipe()
if err != nil { if err != nil {
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
@ -349,7 +352,7 @@ func (s *DockerAuthzSuite) TestAuthZPluginAllowEventStream(c *check.C) {
out, err := s.d.Cmd("run", "-d", "busybox", "top") out, err := s.d.Cmd("run", "-d", "busybox", "top")
c.Assert(err, check.IsNil, check.Commentf(out)) c.Assert(err, check.IsNil, check.Commentf(out))
containerID := strings.TrimSpace(out) containerID := strings.TrimSpace(out)
c.Assert(s.d.waitRun(containerID), checker.IsNil) c.Assert(s.d.WaitRun(containerID), checker.IsNil)
events := map[string]chan bool{ events := map[string]chan bool{
"create": make(chan bool, 1), "create": make(chan bool, 1),
@ -451,7 +454,7 @@ func (s *DockerAuthzSuite) TestAuthZPluginHeader(c *check.C) {
s.ctrl.resRes.Allow = true s.ctrl.resRes.Allow = true
c.Assert(s.d.LoadBusybox(), check.IsNil) c.Assert(s.d.LoadBusybox(), check.IsNil)
daemonURL, err := url.Parse(s.d.sock()) daemonURL, err := url.Parse(s.d.Sock())
conn, err := net.DialTimeout(daemonURL.Scheme, daemonURL.Path, time.Second*10) conn, err := net.DialTimeout(daemonURL.Scheme, daemonURL.Path, time.Second*10)
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)

View File

@ -636,7 +636,7 @@ func (s *DockerRegistrySuite) TestPullFailsWithAlteredLayer(c *check.C) {
// digest verification for the target layer digest. // digest verification for the target layer digest.
// Remove distribution cache to force a re-pull of the blobs // Remove distribution cache to force a re-pull of the blobs
if err := os.RemoveAll(filepath.Join(dockerBasePath, "image", s.d.storageDriver, "distribution")); err != nil { if err := os.RemoveAll(filepath.Join(dockerBasePath, "image", s.d.StorageDriver(), "distribution")); err != nil {
c.Fatalf("error clearing distribution cache: %v", err) c.Fatalf("error clearing distribution cache: %v", err)
} }
@ -679,7 +679,7 @@ func (s *DockerSchema1RegistrySuite) TestPullFailsWithAlteredLayer(c *check.C) {
// digest verification for the target layer digest. // digest verification for the target layer digest.
// Remove distribution cache to force a re-pull of the blobs // Remove distribution cache to force a re-pull of the blobs
if err := os.RemoveAll(filepath.Join(dockerBasePath, "image", s.d.storageDriver, "distribution")); err != nil { if err := os.RemoveAll(filepath.Join(dockerBasePath, "image", s.d.StorageDriver(), "distribution")); err != nil {
c.Fatalf("error clearing distribution cache: %v", err) c.Fatalf("error clearing distribution cache: %v", err)
} }

View File

@ -133,7 +133,7 @@ func (s *DockerDaemonSuite) TestDaemonShutdownLiveRestoreWithPlugins(c *check.C)
} }
}() }()
if err := s.d.cmd.Process.Signal(os.Interrupt); err != nil { if err := s.d.Interrupt(); err != nil {
c.Fatalf("Could not kill daemon: %v", err) c.Fatalf("Could not kill daemon: %v", err)
} }
@ -166,12 +166,12 @@ func (s *DockerDaemonSuite) TestDaemonShutdownWithPlugins(c *check.C) {
} }
}() }()
if err := s.d.cmd.Process.Signal(os.Interrupt); err != nil { if err := s.d.Interrupt(); err != nil {
c.Fatalf("Could not kill daemon: %v", err) c.Fatalf("Could not kill daemon: %v", err)
} }
for { for {
if err := syscall.Kill(s.d.cmd.Process.Pid, 0); err == syscall.ESRCH { if err := syscall.Kill(s.d.Pid(), 0); err == syscall.ESRCH {
break break
} }
} }

View File

@ -20,6 +20,7 @@ import (
"syscall" "syscall"
"time" "time"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
icmd "github.com/docker/docker/pkg/integration/cmd" icmd "github.com/docker/docker/pkg/integration/cmd"
"github.com/docker/docker/pkg/mount" "github.com/docker/docker/pkg/mount"
@ -171,7 +172,7 @@ func (s *DockerDaemonSuite) TestDaemonRestartOnFailure(c *check.C) {
c.Assert(err, check.IsNil, check.Commentf("run top1: %v", out)) c.Assert(err, check.IsNil, check.Commentf("run top1: %v", out))
// wait test1 to stop // wait test1 to stop
hostArgs := []string{"--host", s.d.sock()} hostArgs := []string{"--host", s.d.Sock()}
err = waitInspectWithArgs("test1", "{{.State.Running}} {{.State.Restarting}}", "false false", 10*time.Second, hostArgs...) err = waitInspectWithArgs("test1", "{{.State.Running}} {{.State.Restarting}}", "false false", 10*time.Second, hostArgs...)
c.Assert(err, checker.IsNil, check.Commentf("test1 should exit but not")) c.Assert(err, checker.IsNil, check.Commentf("test1 should exit but not"))
@ -205,7 +206,7 @@ func (s *DockerDaemonSuite) TestDaemonRestartWithInvalidBasesize(c *check.C) {
testRequires(c, Devicemapper) testRequires(c, Devicemapper)
c.Assert(s.d.Start(), check.IsNil) c.Assert(s.d.Start(), check.IsNil)
oldBasesizeBytes := s.d.getBaseDeviceSize(c) oldBasesizeBytes := s.d.GetBaseDeviceSize(c)
var newBasesizeBytes int64 = 1073741824 //1GB in bytes var newBasesizeBytes int64 = 1073741824 //1GB in bytes
if newBasesizeBytes < oldBasesizeBytes { if newBasesizeBytes < oldBasesizeBytes {
@ -220,7 +221,7 @@ func (s *DockerDaemonSuite) TestDaemonRestartWithIncreasedBasesize(c *check.C) {
testRequires(c, Devicemapper) testRequires(c, Devicemapper)
c.Assert(s.d.Start(), check.IsNil) c.Assert(s.d.Start(), check.IsNil)
oldBasesizeBytes := s.d.getBaseDeviceSize(c) oldBasesizeBytes := s.d.GetBaseDeviceSize(c)
var newBasesizeBytes int64 = 53687091200 //50GB in bytes var newBasesizeBytes int64 = 53687091200 //50GB in bytes
@ -231,7 +232,7 @@ func (s *DockerDaemonSuite) TestDaemonRestartWithIncreasedBasesize(c *check.C) {
err := s.d.Restart("--storage-opt", fmt.Sprintf("dm.basesize=%d", newBasesizeBytes)) err := s.d.Restart("--storage-opt", fmt.Sprintf("dm.basesize=%d", newBasesizeBytes))
c.Assert(err, check.IsNil, check.Commentf("we should have been able to start the daemon with increased base device size: %v", err)) c.Assert(err, check.IsNil, check.Commentf("we should have been able to start the daemon with increased base device size: %v", err))
basesizeAfterRestart := s.d.getBaseDeviceSize(c) basesizeAfterRestart := s.d.GetBaseDeviceSize(c)
newBasesize, err := convertBasesize(newBasesizeBytes) newBasesize, err := convertBasesize(newBasesizeBytes)
c.Assert(err, check.IsNil, check.Commentf("Error in converting base device size: %v", err)) c.Assert(err, check.IsNil, check.Commentf("Error in converting base device size: %v", err))
c.Assert(newBasesize, check.Equals, basesizeAfterRestart, check.Commentf("Basesize passed is not equal to Basesize set")) c.Assert(newBasesize, check.Equals, basesizeAfterRestart, check.Commentf("Basesize passed is not equal to Basesize set"))
@ -466,7 +467,8 @@ func (s *DockerDaemonSuite) TestDaemonLogLevelDebug(c *check.C) {
if err := s.d.Start("--log-level=debug"); err != nil { if err := s.d.Start("--log-level=debug"); err != nil {
c.Fatal(err) c.Fatal(err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if !strings.Contains(string(content), `level=debug`) { if !strings.Contains(string(content), `level=debug`) {
c.Fatalf(`Missing level="debug" in log file:\n%s`, string(content)) c.Fatalf(`Missing level="debug" in log file:\n%s`, string(content))
} }
@ -477,7 +479,8 @@ func (s *DockerDaemonSuite) TestDaemonLogLevelFatal(c *check.C) {
if err := s.d.Start("--log-level=fatal"); err != nil { if err := s.d.Start("--log-level=fatal"); err != nil {
c.Fatal(err) c.Fatal(err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if strings.Contains(string(content), `level=debug`) { if strings.Contains(string(content), `level=debug`) {
c.Fatalf(`Should not have level="debug" in log file:\n%s`, string(content)) c.Fatalf(`Should not have level="debug" in log file:\n%s`, string(content))
} }
@ -487,7 +490,8 @@ func (s *DockerDaemonSuite) TestDaemonFlagD(c *check.C) {
if err := s.d.Start("-D"); err != nil { if err := s.d.Start("-D"); err != nil {
c.Fatal(err) c.Fatal(err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if !strings.Contains(string(content), `level=debug`) { if !strings.Contains(string(content), `level=debug`) {
c.Fatalf(`Should have level="debug" in log file using -D:\n%s`, string(content)) c.Fatalf(`Should have level="debug" in log file using -D:\n%s`, string(content))
} }
@ -497,7 +501,8 @@ func (s *DockerDaemonSuite) TestDaemonFlagDebug(c *check.C) {
if err := s.d.Start("--debug"); err != nil { if err := s.d.Start("--debug"); err != nil {
c.Fatal(err) c.Fatal(err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if !strings.Contains(string(content), `level=debug`) { if !strings.Contains(string(content), `level=debug`) {
c.Fatalf(`Should have level="debug" in log file using --debug:\n%s`, string(content)) c.Fatalf(`Should have level="debug" in log file using --debug:\n%s`, string(content))
} }
@ -507,7 +512,8 @@ func (s *DockerDaemonSuite) TestDaemonFlagDebugLogLevelFatal(c *check.C) {
if err := s.d.Start("--debug", "--log-level=fatal"); err != nil { if err := s.d.Start("--debug", "--log-level=fatal"); err != nil {
c.Fatal(err) c.Fatal(err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if !strings.Contains(string(content), `level=debug`) { if !strings.Contains(string(content), `level=debug`) {
c.Fatalf(`Should have level="debug" in log file when using both --debug and --log-level=fatal:\n%s`, string(content)) c.Fatalf(`Should have level="debug" in log file when using both --debug and --log-level=fatal:\n%s`, string(content))
} }
@ -636,7 +642,7 @@ func (s *DockerDaemonSuite) TestDaemonBridgeExternal(c *check.C) {
_, err = d.Cmd("run", "-d", "--name", "ExtContainer", "busybox", "top") _, err = d.Cmd("run", "-d", "--name", "ExtContainer", "busybox", "top")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
containerIP := d.findContainerIP("ExtContainer") containerIP := d.FindContainerIP("ExtContainer")
ip := net.ParseIP(containerIP) ip := net.ParseIP(containerIP)
c.Assert(bridgeIPNet.Contains(ip), check.Equals, true, c.Assert(bridgeIPNet.Contains(ip), check.Equals, true,
check.Commentf("Container IP-Address must be in the same subnet range : %s", check.Commentf("Container IP-Address must be in the same subnet range : %s",
@ -731,7 +737,7 @@ func (s *DockerDaemonSuite) TestDaemonBridgeIP(c *check.C) {
out, err = d.Cmd("run", "-d", "--name", "test", "busybox", "top") out, err = d.Cmd("run", "-d", "--name", "test", "busybox", "top")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
containerIP := d.findContainerIP("test") containerIP := d.FindContainerIP("test")
ip = net.ParseIP(containerIP) ip = net.ParseIP(containerIP)
c.Assert(bridgeIPNet.Contains(ip), check.Equals, true, c.Assert(bridgeIPNet.Contains(ip), check.Equals, true,
check.Commentf("Container IP-Address must be in the same subnet range : %s", check.Commentf("Container IP-Address must be in the same subnet range : %s",
@ -1041,8 +1047,8 @@ func (s *DockerDaemonSuite) TestDaemonLinksIpTablesRulesWhenLinkAndUnlink(c *che
_, err = s.d.Cmd("run", "-d", "--name", "parent", "--link", "child:http", "busybox", "top") _, err = s.d.Cmd("run", "-d", "--name", "parent", "--link", "child:http", "busybox", "top")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
childIP := s.d.findContainerIP("child") childIP := s.d.FindContainerIP("child")
parentIP := s.d.findContainerIP("parent") parentIP := s.d.FindContainerIP("parent")
sourceRule := []string{"-i", bridgeName, "-o", bridgeName, "-p", "tcp", "-s", childIP, "--sport", "80", "-d", parentIP, "-j", "ACCEPT"} sourceRule := []string{"-i", bridgeName, "-o", bridgeName, "-p", "tcp", "-s", childIP, "--sport", "80", "-d", parentIP, "-j", "ACCEPT"}
destinationRule := []string{"-i", bridgeName, "-o", bridgeName, "-p", "tcp", "-s", parentIP, "--dport", "80", "-d", childIP, "-j", "ACCEPT"} destinationRule := []string{"-i", bridgeName, "-o", bridgeName, "-p", "tcp", "-s", parentIP, "--dport", "80", "-d", childIP, "-j", "ACCEPT"}
@ -1140,10 +1146,10 @@ func (s *DockerDaemonSuite) TestDaemonLoggingDriverDefault(c *check.C) {
out, err := s.d.Cmd("run", "--name=test", "busybox", "echo", "testline") out, err := s.d.Cmd("run", "--name=test", "busybox", "echo", "testline")
c.Assert(err, check.IsNil, check.Commentf(out)) c.Assert(err, check.IsNil, check.Commentf(out))
id, err := s.d.getIDByName("test") id, err := s.d.GetIDByName("test")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
logPath := filepath.Join(s.d.root, "containers", id, id+"-json.log") logPath := filepath.Join(s.d.Root, "containers", id, id+"-json.log")
if _, err := os.Stat(logPath); err != nil { if _, err := os.Stat(logPath); err != nil {
c.Fatal(err) c.Fatal(err)
@ -1182,10 +1188,10 @@ func (s *DockerDaemonSuite) TestDaemonLoggingDriverDefaultOverride(c *check.C) {
if err != nil { if err != nil {
c.Fatal(out, err) c.Fatal(out, err)
} }
id, err := s.d.getIDByName("test") id, err := s.d.GetIDByName("test")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
logPath := filepath.Join(s.d.root, "containers", id, id+"-json.log") logPath := filepath.Join(s.d.Root, "containers", id, id+"-json.log")
if _, err := os.Stat(logPath); err == nil || !os.IsNotExist(err) { if _, err := os.Stat(logPath); err == nil || !os.IsNotExist(err) {
c.Fatalf("%s shouldn't exits, error on Stat: %s", logPath, err) c.Fatalf("%s shouldn't exits, error on Stat: %s", logPath, err)
@ -1201,10 +1207,10 @@ func (s *DockerDaemonSuite) TestDaemonLoggingDriverNone(c *check.C) {
if err != nil { if err != nil {
c.Fatal(out, err) c.Fatal(out, err)
} }
id, err := s.d.getIDByName("test") id, err := s.d.GetIDByName("test")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
logPath := filepath.Join(s.d.folder, "graph", "containers", id, id+"-json.log") logPath := filepath.Join(s.d.Root, "containers", id, id+"-json.log")
if _, err := os.Stat(logPath); err == nil || !os.IsNotExist(err) { if _, err := os.Stat(logPath); err == nil || !os.IsNotExist(err) {
c.Fatalf("%s shouldn't exits, error on Stat: %s", logPath, err) c.Fatalf("%s shouldn't exits, error on Stat: %s", logPath, err)
@ -1220,10 +1226,10 @@ func (s *DockerDaemonSuite) TestDaemonLoggingDriverNoneOverride(c *check.C) {
if err != nil { if err != nil {
c.Fatal(out, err) c.Fatal(out, err)
} }
id, err := s.d.getIDByName("test") id, err := s.d.GetIDByName("test")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
logPath := filepath.Join(s.d.root, "containers", id, id+"-json.log") logPath := filepath.Join(s.d.Root, "containers", id, id+"-json.log")
if _, err := os.Stat(logPath); err != nil { if _, err := os.Stat(logPath); err != nil {
c.Fatal(err) c.Fatal(err)
@ -1340,7 +1346,8 @@ func (s *DockerDaemonSuite) TestDaemonWithWrongkey(c *check.C) {
c.Fatalf("It should not be successful to start daemon with wrong key: %v", err) c.Fatalf("It should not be successful to start daemon with wrong key: %v", err)
} }
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
if !strings.Contains(string(content), "Public Key ID does not match") { if !strings.Contains(string(content), "Public Key ID does not match") {
c.Fatal("Missing KeyID message from daemon logs") c.Fatal("Missing KeyID message from daemon logs")
@ -1496,10 +1503,10 @@ func (s *DockerDaemonSuite) TestHTTPSInfoRogueServerCert(c *check.C) {
} }
} }
func pingContainers(c *check.C, d *Daemon, expectFailure bool) { func pingContainers(c *check.C, d *daemon.Daemon, expectFailure bool) {
var dargs []string var dargs []string
if d != nil { if d != nil {
dargs = []string{"--host", d.sock()} dargs = []string{"--host", d.Sock()}
} }
args := append(dargs, "run", "-d", "--name", "container1", "busybox", "top") args := append(dargs, "run", "-d", "--name", "container1", "busybox", "top")
@ -1523,7 +1530,8 @@ func pingContainers(c *check.C, d *Daemon, expectFailure bool) {
func (s *DockerDaemonSuite) TestDaemonRestartWithSocketAsVolume(c *check.C) { func (s *DockerDaemonSuite) TestDaemonRestartWithSocketAsVolume(c *check.C) {
c.Assert(s.d.StartWithBusybox(), check.IsNil) c.Assert(s.d.StartWithBusybox(), check.IsNil)
socket := filepath.Join(s.d.folder, "docker.sock") // socket := filepath.Join(s.d.folder, "docker.sock")
socket := s.d.Sock()
out, err := s.d.Cmd("run", "--restart=always", "-v", socket+":/sock", "busybox") out, err := s.d.Cmd("run", "--restart=always", "-v", socket+":/sock", "busybox")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", out)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", out))
@ -1538,12 +1546,12 @@ func (s *DockerDaemonSuite) TestCleanupMountsAfterDaemonAndContainerKill(c *chec
out, err := s.d.Cmd("run", "-d", "busybox", "top") out, err := s.d.Cmd("run", "-d", "busybox", "top")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", out)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", out))
id := strings.TrimSpace(out) id := strings.TrimSpace(out)
c.Assert(s.d.cmd.Process.Signal(os.Kill), check.IsNil) c.Assert(s.d.Signal(os.Kill), check.IsNil)
mountOut, err := ioutil.ReadFile("/proc/self/mountinfo") mountOut, err := ioutil.ReadFile("/proc/self/mountinfo")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut))
// container mounts should exist even after daemon has crashed. // container mounts should exist even after daemon has crashed.
comment := check.Commentf("%s should stay mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.folder, mountOut) comment := check.Commentf("%s should stay mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.Root, mountOut)
c.Assert(strings.Contains(string(mountOut), id), check.Equals, true, comment) c.Assert(strings.Contains(string(mountOut), id), check.Equals, true, comment)
// kill the container // kill the container
@ -1560,7 +1568,7 @@ func (s *DockerDaemonSuite) TestCleanupMountsAfterDaemonAndContainerKill(c *chec
// Now, container mounts should be gone. // Now, container mounts should be gone.
mountOut, err = ioutil.ReadFile("/proc/self/mountinfo") mountOut, err = ioutil.ReadFile("/proc/self/mountinfo")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut))
comment = check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.folder, mountOut) comment = check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.Root, mountOut)
c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment) c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment)
} }
@ -1573,14 +1581,14 @@ func (s *DockerDaemonSuite) TestCleanupMountsAfterGracefulShutdown(c *check.C) {
id := strings.TrimSpace(out) id := strings.TrimSpace(out)
// Send SIGINT and daemon should clean up // Send SIGINT and daemon should clean up
c.Assert(s.d.cmd.Process.Signal(os.Interrupt), check.IsNil) c.Assert(s.d.Signal(os.Interrupt), check.IsNil)
// Wait for the daemon to stop. // Wait for the daemon to stop.
c.Assert(<-s.d.wait, checker.IsNil) c.Assert(<-s.d.Wait, checker.IsNil)
mountOut, err := ioutil.ReadFile("/proc/self/mountinfo") mountOut, err := ioutil.ReadFile("/proc/self/mountinfo")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut))
comment := check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.folder, mountOut) comment := check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.Root, mountOut)
c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment) c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment)
} }
@ -1813,18 +1821,20 @@ func (s *DockerDaemonSuite) TestDaemonCorruptedFluentdAddress(c *check.C) {
} }
} }
// FIXME(vdemeester) Use a new daemon instance instead of the Suite one
func (s *DockerDaemonSuite) TestDaemonStartWithoutHost(c *check.C) { func (s *DockerDaemonSuite) TestDaemonStartWithoutHost(c *check.C) {
s.d.useDefaultHost = true s.d.UseDefaultHost = true
defer func() { defer func() {
s.d.useDefaultHost = false s.d.UseDefaultHost = false
}() }()
c.Assert(s.d.Start(), check.IsNil) c.Assert(s.d.Start(), check.IsNil)
} }
// FIXME(vdemeester) Use a new daemon instance instead of the Suite one
func (s *DockerDaemonSuite) TestDaemonStartWithDefalutTLSHost(c *check.C) { func (s *DockerDaemonSuite) TestDaemonStartWithDefalutTLSHost(c *check.C) {
s.d.useDefaultTLSHost = true s.d.UseDefaultTLSHost = true
defer func() { defer func() {
s.d.useDefaultTLSHost = false s.d.UseDefaultTLSHost = false
}() }()
if err := s.d.Start( if err := s.d.Start(
"--tlsverify", "--tlsverify",
@ -2144,12 +2154,12 @@ func (s *DockerDaemonSuite) TestCleanupMountsAfterDaemonCrash(c *check.C) {
c.Assert(err, check.IsNil, check.Commentf("Output: %s", out)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", out))
id := strings.TrimSpace(out) id := strings.TrimSpace(out)
c.Assert(s.d.cmd.Process.Signal(os.Kill), check.IsNil) c.Assert(s.d.Signal(os.Kill), check.IsNil)
mountOut, err := ioutil.ReadFile("/proc/self/mountinfo") mountOut, err := ioutil.ReadFile("/proc/self/mountinfo")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut))
// container mounts should exist even after daemon has crashed. // container mounts should exist even after daemon has crashed.
comment := check.Commentf("%s should stay mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.folder, mountOut) comment := check.Commentf("%s should stay mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.Root, mountOut)
c.Assert(strings.Contains(string(mountOut), id), check.Equals, true, comment) c.Assert(strings.Contains(string(mountOut), id), check.Equals, true, comment)
// restart daemon. // restart daemon.
@ -2172,7 +2182,7 @@ func (s *DockerDaemonSuite) TestCleanupMountsAfterDaemonCrash(c *check.C) {
// Now, container mounts should be gone. // Now, container mounts should be gone.
mountOut, err = ioutil.ReadFile("/proc/self/mountinfo") mountOut, err = ioutil.ReadFile("/proc/self/mountinfo")
c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut)) c.Assert(err, check.IsNil, check.Commentf("Output: %s", mountOut))
comment = check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.folder, mountOut) comment = check.Commentf("%s is still mounted from older daemon start:\nDaemon root repository %s\n%s", id, s.d.Root, mountOut)
c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment) c.Assert(strings.Contains(string(mountOut), id), check.Equals, false, comment)
} }
@ -2350,7 +2360,7 @@ func (s *DockerDaemonSuite) TestDaemonDiscoveryBackendConfigReload(c *check.C) {
_, err = configFile.Write([]byte(daemonConfig)) _, err = configFile.Write([]byte(daemonConfig))
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
err = s.d.reloadConfig() err = s.d.ReloadConfig()
c.Assert(err, checker.IsNil, check.Commentf("error reloading daemon config")) c.Assert(err, checker.IsNil, check.Commentf("error reloading daemon config"))
out, err := s.d.Cmd("info") out, err := s.d.Cmd("info")
@ -2380,7 +2390,8 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrency(c *check.C) {
expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 6"` expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 6"`
expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 8"` expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 8"`
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
} }
@ -2402,7 +2413,8 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFile(c *check.C) {
expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 5"` expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 5"`
expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 8"` expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 8"`
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
@ -2412,13 +2424,15 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFile(c *check.C) {
fmt.Fprintf(configFile, "%s", daemonConfig) fmt.Fprintf(configFile, "%s", daemonConfig)
configFile.Close() configFile.Close()
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
// syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP)
time.Sleep(3 * time.Second) time.Sleep(3 * time.Second)
expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 7"` expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 7"`
expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 9"` expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 9"`
content, _ = ioutil.ReadFile(s.d.logFile.Name()) content, err = s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
} }
@ -2440,7 +2454,8 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFileReload(c *chec
expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 5"` expectedMaxConcurrentUploads := `level=debug msg="Max Concurrent Uploads: 5"`
expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 3"` expectedMaxConcurrentDownloads := `level=debug msg="Max Concurrent Downloads: 3"`
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
@ -2450,13 +2465,15 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFileReload(c *chec
fmt.Fprintf(configFile, "%s", daemonConfig) fmt.Fprintf(configFile, "%s", daemonConfig)
configFile.Close() configFile.Close()
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
// syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP)
time.Sleep(3 * time.Second) time.Sleep(3 * time.Second)
expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 1"` expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 1"`
expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 3"` expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 3"`
content, _ = ioutil.ReadFile(s.d.logFile.Name()) content, err = s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
@ -2466,13 +2483,14 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFileReload(c *chec
fmt.Fprintf(configFile, "%s", daemonConfig) fmt.Fprintf(configFile, "%s", daemonConfig)
configFile.Close() configFile.Close()
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
time.Sleep(3 * time.Second) time.Sleep(3 * time.Second)
expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 5"` expectedMaxConcurrentUploads = `level=debug msg="Reset Max Concurrent Uploads: 5"`
expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 3"` expectedMaxConcurrentDownloads = `level=debug msg="Reset Max Concurrent Downloads: 3"`
content, _ = ioutil.ReadFile(s.d.logFile.Name()) content, err = s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentUploads)
c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads) c.Assert(string(content), checker.Contains, expectedMaxConcurrentDownloads)
} }
@ -2480,8 +2498,9 @@ func (s *DockerDaemonSuite) TestDaemonMaxConcurrencyWithConfigFileReload(c *chec
func (s *DockerDaemonSuite) TestBuildOnDisabledBridgeNetworkDaemon(c *check.C) { func (s *DockerDaemonSuite) TestBuildOnDisabledBridgeNetworkDaemon(c *check.C) {
err := s.d.StartWithBusybox("-b=none", "--iptables=false") err := s.d.StartWithBusybox("-b=none", "--iptables=false")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
s.d.c.Logf("dockerBinary %s", dockerBinary) // s.d.c.Logf("dockerBinary %s", dockerBinary)
out, code, err := s.d.buildImageWithOut("busyboxs", c.Logf("dockerBinary %s", dockerBinary)
out, code, err := s.d.BuildImageWithOut("busyboxs",
`FROM busybox `FROM busybox
RUN cat /etc/hosts`, false) RUN cat /etc/hosts`, false)
comment := check.Commentf("Failed to build image. output %s, exitCode %d, err %v", out, code, err) comment := check.Commentf("Failed to build image. output %s, exitCode %d, err %v", out, code, err)
@ -2576,7 +2595,7 @@ func (s *DockerDaemonSuite) TestRunWithRuntimeFromConfigFile(c *check.C) {
} }
` `
ioutil.WriteFile(configName, []byte(config), 0644) ioutil.WriteFile(configName, []byte(config), 0644)
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
// Give daemon time to reload config // Give daemon time to reload config
<-time.After(1 * time.Second) <-time.After(1 * time.Second)
@ -2605,11 +2624,12 @@ func (s *DockerDaemonSuite) TestRunWithRuntimeFromConfigFile(c *check.C) {
} }
` `
ioutil.WriteFile(configName, []byte(config), 0644) ioutil.WriteFile(configName, []byte(config), 0644)
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
// Give daemon time to reload config // Give daemon time to reload config
<-time.After(1 * time.Second) <-time.After(1 * time.Second)
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, `file configuration validation failed (runtime name 'runc' is reserved)`) c.Assert(string(content), checker.Contains, `file configuration validation failed (runtime name 'runc' is reserved)`)
// Check that we can select a default runtime // Check that we can select a default runtime
@ -2630,7 +2650,7 @@ func (s *DockerDaemonSuite) TestRunWithRuntimeFromConfigFile(c *check.C) {
} }
` `
ioutil.WriteFile(configName, []byte(config), 0644) ioutil.WriteFile(configName, []byte(config), 0644)
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
// Give daemon time to reload config // Give daemon time to reload config
<-time.After(1 * time.Second) <-time.After(1 * time.Second)
@ -2688,7 +2708,8 @@ func (s *DockerDaemonSuite) TestRunWithRuntimeFromCommandLine(c *check.C) {
err = s.d.Start("--add-runtime", "runc=my-runc") err = s.d.Start("--add-runtime", "runc=my-runc")
c.Assert(err, check.NotNil) c.Assert(err, check.NotNil)
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, `runtime name 'runc' is reserved`) c.Assert(string(content), checker.Contains, `runtime name 'runc' is reserved`)
// Check that we can select a default runtime // Check that we can select a default runtime
@ -2778,18 +2799,18 @@ func (s *DockerDaemonSuite) TestDaemonBackcompatPre17Volumes(c *check.C) {
out, err = d.Cmd("inspect", "--type=image", "--format={{.ID}}", "busybox:latest") out, err = d.Cmd("inspect", "--type=image", "--format={{.ID}}", "busybox:latest")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
c.Assert(d.Stop(), checker.IsNil) c.Assert(d.Stop(), checker.IsNil)
<-d.wait <-d.Wait
imageID := strings.TrimSpace(out) imageID := strings.TrimSpace(out)
volumeID := stringid.GenerateNonCryptoID() volumeID := stringid.GenerateNonCryptoID()
vfsPath := filepath.Join(d.root, "vfs", "dir", volumeID) vfsPath := filepath.Join(d.Root, "vfs", "dir", volumeID)
c.Assert(os.MkdirAll(vfsPath, 0755), checker.IsNil) c.Assert(os.MkdirAll(vfsPath, 0755), checker.IsNil)
config := []byte(` config := []byte(`
{ {
"ID": "` + id + `", "ID": "` + id + `",
"Name": "hello", "Name": "hello",
"Driver": "` + d.storageDriver + `", "Driver": "` + d.StorageDriver() + `",
"Image": "` + imageID + `", "Image": "` + imageID + `",
"Config": {"Image": "busybox:latest"}, "Config": {"Image": "busybox:latest"},
"NetworkSettings": {}, "NetworkSettings": {},
@ -2806,7 +2827,7 @@ func (s *DockerDaemonSuite) TestDaemonBackcompatPre17Volumes(c *check.C) {
} }
`) `)
configPath := filepath.Join(d.root, "containers", id, "config.v2.json") configPath := filepath.Join(d.Root, "containers", id, "config.v2.json")
err = ioutil.WriteFile(configPath, config, 600) err = ioutil.WriteFile(configPath, config, 600)
err = d.Start() err = d.Start()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -2883,15 +2904,16 @@ func (s *DockerDaemonSuite) TestDaemonShutdownTimeout(c *check.C) {
_, err := s.d.Cmd("run", "-d", "busybox", "top") _, err := s.d.Cmd("run", "-d", "busybox", "top")
c.Assert(err, check.IsNil) c.Assert(err, check.IsNil)
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGINT) c.Assert(s.d.Signal(syscall.SIGINT), checker.IsNil)
select { select {
case <-s.d.wait: case <-s.d.Wait:
case <-time.After(5 * time.Second): case <-time.After(5 * time.Second):
} }
expectedMessage := `level=debug msg="start clean shutdown of all containers with a 3 seconds timeout..."` expectedMessage := `level=debug msg="start clean shutdown of all containers with a 3 seconds timeout..."`
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMessage) c.Assert(string(content), checker.Contains, expectedMessage)
} }
@ -2916,14 +2938,15 @@ func (s *DockerDaemonSuite) TestDaemonShutdownTimeoutWithConfigFile(c *check.C)
fmt.Fprintf(configFile, "%s", daemonConfig) fmt.Fprintf(configFile, "%s", daemonConfig)
configFile.Close() configFile.Close()
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
select { select {
case <-s.d.wait: case <-s.d.Wait:
case <-time.After(3 * time.Second): case <-time.After(3 * time.Second):
} }
expectedMessage := `level=debug msg="Reset Shutdown Timeout: 5"` expectedMessage := `level=debug msg="Reset Shutdown Timeout: 5"`
content, _ := ioutil.ReadFile(s.d.logFile.Name()) content, err := s.d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, expectedMessage) c.Assert(string(content), checker.Contains, expectedMessage)
} }

View File

@ -422,7 +422,7 @@ func (s *DockerDaemonSuite) TestDaemonEvents(c *check.C) {
fmt.Fprintf(configFile, "%s", daemonConfig) fmt.Fprintf(configFile, "%s", daemonConfig)
configFile.Close() configFile.Close()
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
time.Sleep(3 * time.Second) time.Sleep(3 * time.Second)
@ -460,7 +460,7 @@ func (s *DockerDaemonSuite) TestDaemonEventsWithFilters(c *check.C) {
} }
c.Assert(daemonID, checker.Not(checker.Equals), "") c.Assert(daemonID, checker.Not(checker.Equals), "")
syscall.Kill(s.d.cmd.Process.Pid, syscall.SIGHUP) c.Assert(s.d.Signal(syscall.SIGHUP), checker.IsNil)
time.Sleep(3 * time.Second) time.Sleep(3 * time.Second)

View File

@ -14,6 +14,7 @@ import (
"github.com/docker/docker/daemon/graphdriver" "github.com/docker/docker/daemon/graphdriver"
"github.com/docker/docker/daemon/graphdriver/vfs" "github.com/docker/docker/daemon/graphdriver/vfs"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/archive" "github.com/docker/docker/pkg/archive"
"github.com/docker/docker/pkg/plugins" "github.com/docker/docker/pkg/plugins"
"github.com/go-check/check" "github.com/go-check/check"
@ -29,7 +30,7 @@ type DockerExternalGraphdriverSuite struct {
server *httptest.Server server *httptest.Server
jserver *httptest.Server jserver *httptest.Server
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
ec map[string]*graphEventsCounter ec map[string]*graphEventsCounter
} }
@ -51,7 +52,9 @@ type graphEventsCounter struct {
} }
func (s *DockerExternalGraphdriverSuite) SetUpTest(c *check.C) { func (s *DockerExternalGraphdriverSuite) SetUpTest(c *check.C) {
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerExternalGraphdriverSuite) TearDownTest(c *check.C) { func (s *DockerExternalGraphdriverSuite) TearDownTest(c *check.C) {

View File

@ -16,6 +16,7 @@ import (
"time" "time"
"github.com/docker/docker/api/types" "github.com/docker/docker/api/types"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/docker/docker/pkg/stringid" "github.com/docker/docker/pkg/stringid"
"github.com/docker/docker/volume" "github.com/docker/docker/volume"
@ -44,12 +45,14 @@ type eventCounter struct {
type DockerExternalVolumeSuite struct { type DockerExternalVolumeSuite struct {
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
*volumePlugin *volumePlugin
} }
func (s *DockerExternalVolumeSuite) SetUpTest(c *check.C) { func (s *DockerExternalVolumeSuite) SetUpTest(c *check.C) {
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
s.ec = &eventCounter{} s.ec = &eventCounter{}
} }

View File

@ -6,6 +6,7 @@ import (
"net" "net"
"strings" "strings"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -70,7 +71,9 @@ func (s *DockerSuite) TestInfoFormat(c *check.C) {
func (s *DockerSuite) TestInfoDiscoveryBackend(c *check.C) { func (s *DockerSuite) TestInfoDiscoveryBackend(c *check.C) {
testRequires(c, SameHostDaemon, DaemonIsLinux) testRequires(c, SameHostDaemon, DaemonIsLinux)
d := NewDaemon(c) d := daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
discoveryBackend := "consul://consuladdr:consulport/some/path" discoveryBackend := "consul://consuladdr:consulport/some/path"
discoveryAdvertise := "1.1.1.1:2375" discoveryAdvertise := "1.1.1.1:2375"
err := d.Start(fmt.Sprintf("--cluster-store=%s", discoveryBackend), fmt.Sprintf("--cluster-advertise=%s", discoveryAdvertise)) err := d.Start(fmt.Sprintf("--cluster-store=%s", discoveryBackend), fmt.Sprintf("--cluster-advertise=%s", discoveryAdvertise))
@ -88,7 +91,9 @@ func (s *DockerSuite) TestInfoDiscoveryBackend(c *check.C) {
func (s *DockerSuite) TestInfoDiscoveryInvalidAdvertise(c *check.C) { func (s *DockerSuite) TestInfoDiscoveryInvalidAdvertise(c *check.C) {
testRequires(c, SameHostDaemon, DaemonIsLinux) testRequires(c, SameHostDaemon, DaemonIsLinux)
d := NewDaemon(c) d := daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
discoveryBackend := "consul://consuladdr:consulport/some/path" discoveryBackend := "consul://consuladdr:consulport/some/path"
// --cluster-advertise with an invalid string is an error // --cluster-advertise with an invalid string is an error
@ -105,7 +110,9 @@ func (s *DockerSuite) TestInfoDiscoveryInvalidAdvertise(c *check.C) {
func (s *DockerSuite) TestInfoDiscoveryAdvertiseInterfaceName(c *check.C) { func (s *DockerSuite) TestInfoDiscoveryAdvertiseInterfaceName(c *check.C) {
testRequires(c, SameHostDaemon, Network, DaemonIsLinux) testRequires(c, SameHostDaemon, Network, DaemonIsLinux)
d := NewDaemon(c) d := daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
discoveryBackend := "consul://consuladdr:consulport/some/path" discoveryBackend := "consul://consuladdr:consulport/some/path"
discoveryAdvertise := "eth0" discoveryAdvertise := "eth0"
@ -171,7 +178,9 @@ func (s *DockerSuite) TestInfoDisplaysStoppedContainers(c *check.C) {
func (s *DockerSuite) TestInfoDebug(c *check.C) { func (s *DockerSuite) TestInfoDebug(c *check.C) {
testRequires(c, SameHostDaemon, DaemonIsLinux) testRequires(c, SameHostDaemon, DaemonIsLinux)
d := NewDaemon(c) d := daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
err := d.Start("--debug") err := d.Start("--debug")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
defer d.Stop() defer d.Stop()
@ -193,7 +202,9 @@ func (s *DockerSuite) TestInsecureRegistries(c *check.C) {
registryCIDR := "192.168.1.0/24" registryCIDR := "192.168.1.0/24"
registryHost := "insecurehost.com:5000" registryHost := "insecurehost.com:5000"
d := NewDaemon(c) d := daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
err := d.Start("--insecure-registry="+registryCIDR, "--insecure-registry="+registryHost) err := d.Start("--insecure-registry="+registryCIDR, "--insecure-registry="+registryHost)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
defer d.Stop() defer d.Stop()

View File

@ -16,6 +16,7 @@ import (
"github.com/docker/docker/api/types" "github.com/docker/docker/api/types"
"github.com/docker/docker/api/types/versions/v1p20" "github.com/docker/docker/api/types/versions/v1p20"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
icmd "github.com/docker/docker/pkg/integration/cmd" icmd "github.com/docker/docker/pkg/integration/cmd"
"github.com/docker/docker/pkg/stringid" "github.com/docker/docker/pkg/stringid"
@ -43,11 +44,13 @@ func init() {
type DockerNetworkSuite struct { type DockerNetworkSuite struct {
server *httptest.Server server *httptest.Server
ds *DockerSuite ds *DockerSuite
d *Daemon d *daemon.Daemon
} }
func (s *DockerNetworkSuite) SetUpTest(c *check.C) { func (s *DockerNetworkSuite) SetUpTest(c *check.C) {
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
} }
func (s *DockerNetworkSuite) TearDownTest(c *check.C) { func (s *DockerNetworkSuite) TearDownTest(c *check.C) {
@ -994,9 +997,7 @@ func (s *DockerNetworkSuite) TestDockerNetworkDriverUngracefulRestart(c *check.C
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Kill daemon and restart // Kill daemon and restart
if err = s.d.cmd.Process.Kill(); err != nil { c.Assert(s.d.Kill(), checker.IsNil)
c.Fatal(err)
}
server.Close() server.Close()
@ -1064,7 +1065,7 @@ func (s *DockerSuite) TestInspectAPIMultipleNetworks(c *check.C) {
c.Assert(bridge.IPAddress, checker.Equals, inspect121.NetworkSettings.IPAddress) c.Assert(bridge.IPAddress, checker.Equals, inspect121.NetworkSettings.IPAddress)
} }
func connectContainerToNetworks(c *check.C, d *Daemon, cName string, nws []string) { func connectContainerToNetworks(c *check.C, d *daemon.Daemon, cName string, nws []string) {
// Run a container on the default network // Run a container on the default network
out, err := d.Cmd("run", "-d", "--name", cName, "busybox", "top") out, err := d.Cmd("run", "-d", "--name", cName, "busybox", "top")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
@ -1078,7 +1079,7 @@ func connectContainerToNetworks(c *check.C, d *Daemon, cName string, nws []strin
} }
} }
func verifyContainerIsConnectedToNetworks(c *check.C, d *Daemon, cName string, nws []string) { func verifyContainerIsConnectedToNetworks(c *check.C, d *daemon.Daemon, cName string, nws []string) {
// Verify container is connected to all the networks // Verify container is connected to all the networks
for _, nw := range nws { for _, nw := range nws {
out, err := d.Cmd("inspect", "-f", fmt.Sprintf("{{.NetworkSettings.Networks.%s}}", nw), cName) out, err := d.Cmd("inspect", "-f", fmt.Sprintf("{{.NetworkSettings.Networks.%s}}", nw), cName)
@ -1115,10 +1116,8 @@ func (s *DockerNetworkSuite) TestDockerNetworkMultipleNetworksUngracefulDaemonRe
verifyContainerIsConnectedToNetworks(c, s.d, cName, nwList) verifyContainerIsConnectedToNetworks(c, s.d, cName, nwList)
// Kill daemon and restart // Kill daemon and restart
if err := s.d.cmd.Process.Kill(); err != nil { c.Assert(s.d.Kill(), checker.IsNil)
c.Fatal(err) c.Assert(s.d.Restart(), checker.IsNil)
}
s.d.Restart()
// Restart container // Restart container
_, err := s.d.Cmd("start", cName) _, err := s.d.Cmd("start", cName)
@ -1144,21 +1143,17 @@ func (s *DockerNetworkSuite) TestDockerNetworkHostModeUngracefulDaemonRestart(c
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
// verfiy container has finished starting before killing daemon // verfiy container has finished starting before killing daemon
err = s.d.waitRun(cName) err = s.d.WaitRun(cName)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
} }
// Kill daemon ungracefully and restart // Kill daemon ungracefully and restart
if err := s.d.cmd.Process.Kill(); err != nil { c.Assert(s.d.Kill(), checker.IsNil)
c.Fatal(err) c.Assert(s.d.Restart(), checker.IsNil)
}
if err := s.d.Restart(); err != nil {
c.Fatal(err)
}
// make sure all the containers are up and running // make sure all the containers are up and running
for i := 0; i < 10; i++ { for i := 0; i < 10; i++ {
err := s.d.waitRun(fmt.Sprintf("hostc-%d", i)) err := s.d.WaitRun(fmt.Sprintf("hostc-%d", i))
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
} }
} }

View File

@ -6,11 +6,12 @@ import (
"strconv" "strconv"
"strings" "strings"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
func pruneNetworkAndVerify(c *check.C, d *SwarmDaemon, kept, pruned []string) { func pruneNetworkAndVerify(c *check.C, d *daemon.Swarm, kept, pruned []string) {
_, err := d.Cmd("network", "prune", "--force") _, err := d.Cmd("network", "prune", "--force")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out, err := d.Cmd("network", "ls", "--format", "{{.Name}}") out, err := d.Cmd("network", "ls", "--format", "{{.Name}}")
@ -46,7 +47,7 @@ func (s *DockerSwarmSuite) TestPruneNetwork(c *check.C) {
"busybox", "top") "busybox", "top")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "") c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "")
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, replicas+1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, replicas+1)
// prune and verify // prune and verify
pruneNetworkAndVerify(c, d, []string{"n1", "n3"}, []string{"n2", "n4"}) pruneNetworkAndVerify(c, d, []string{"n1", "n3"}, []string{"n2", "n4"})
@ -56,14 +57,14 @@ func (s *DockerSwarmSuite) TestPruneNetwork(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
_, err = d.Cmd("service", "rm", serviceName) _, err = d.Cmd("service", "rm", serviceName)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 0) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 0)
pruneNetworkAndVerify(c, d, []string{}, []string{"n1", "n3"}) pruneNetworkAndVerify(c, d, []string{}, []string{"n1", "n3"})
} }
func (s *DockerDaemonSuite) TestPruneImageDangling(c *check.C) { func (s *DockerDaemonSuite) TestPruneImageDangling(c *check.C) {
c.Assert(s.d.StartWithBusybox(), checker.IsNil) c.Assert(s.d.StartWithBusybox(), checker.IsNil)
out, _, err := s.d.buildImageWithOut("test", out, _, err := s.d.BuildImageWithOut("test",
`FROM busybox `FROM busybox
LABEL foo=bar`, true, "-q") LABEL foo=bar`, true, "-q")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)

View File

@ -4439,7 +4439,7 @@ func (s *DockerDaemonSuite) TestRunWithUlimitAndDaemonDefault(c *check.C) {
name := "test-A" name := "test-A"
_, err := s.d.Cmd("run", "--name", name, "-d", "busybox", "top") _, err := s.d.Cmd("run", "--name", name, "-d", "busybox", "top")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(s.d.waitRun(name), check.IsNil) c.Assert(s.d.WaitRun(name), check.IsNil)
out, err := s.d.Cmd("inspect", "--format", "{{.HostConfig.Ulimits}}", name) out, err := s.d.Cmd("inspect", "--format", "{{.HostConfig.Ulimits}}", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -4448,7 +4448,7 @@ func (s *DockerDaemonSuite) TestRunWithUlimitAndDaemonDefault(c *check.C) {
name = "test-B" name = "test-B"
_, err = s.d.Cmd("run", "--name", name, "--ulimit=nofile=42", "-d", "busybox", "top") _, err = s.d.Cmd("run", "--name", name, "--ulimit=nofile=42", "-d", "busybox", "top")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(s.d.waitRun(name), check.IsNil) c.Assert(s.d.WaitRun(name), check.IsNil)
out, err = s.d.Cmd("inspect", "--format", "{{.HostConfig.Ulimits}}", name) out, err = s.d.Cmd("inspect", "--format", "{{.HostConfig.Ulimits}}", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)

View File

@ -12,7 +12,7 @@ func (s *DockerSwarmSuite) TestSecretCreate(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
}, },
@ -20,7 +20,7 @@ func (s *DockerSwarmSuite) TestSecretCreate(c *check.C) {
}) })
c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id)) c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id))
secret := d.getSecret(c, id) secret := d.GetSecret(c, id)
c.Assert(secret.Spec.Name, checker.Equals, testName) c.Assert(secret.Spec.Name, checker.Equals, testName)
} }
@ -28,7 +28,7 @@ func (s *DockerSwarmSuite) TestSecretCreateWithLabels(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
Labels: map[string]string{ Labels: map[string]string{
@ -40,7 +40,7 @@ func (s *DockerSwarmSuite) TestSecretCreateWithLabels(c *check.C) {
}) })
c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id)) c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id))
secret := d.getSecret(c, id) secret := d.GetSecret(c, id)
c.Assert(secret.Spec.Name, checker.Equals, testName) c.Assert(secret.Spec.Name, checker.Equals, testName)
c.Assert(len(secret.Spec.Labels), checker.Equals, 2) c.Assert(len(secret.Spec.Labels), checker.Equals, 2)
c.Assert(secret.Spec.Labels["key1"], checker.Equals, "value1") c.Assert(secret.Spec.Labels["key1"], checker.Equals, "value1")
@ -52,7 +52,7 @@ func (s *DockerSwarmSuite) TestSecretCreateResolve(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
name := "foo" name := "foo"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: name, Name: name,
}, },
@ -60,7 +60,7 @@ func (s *DockerSwarmSuite) TestSecretCreateResolve(c *check.C) {
}) })
c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id)) c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id))
fake := d.createSecret(c, swarm.SecretSpec{ fake := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: id, Name: id,
}, },

View File

@ -14,7 +14,7 @@ func (s *DockerSwarmSuite) TestSecretInspect(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
}, },
@ -22,7 +22,7 @@ func (s *DockerSwarmSuite) TestSecretInspect(c *check.C) {
}) })
c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id)) c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id))
secret := d.getSecret(c, id) secret := d.GetSecret(c, id)
c.Assert(secret.Spec.Name, checker.Equals, testName) c.Assert(secret.Spec.Name, checker.Equals, testName)
out, err := d.Cmd("secret", "inspect", testName) out, err := d.Cmd("secret", "inspect", testName)
@ -41,7 +41,7 @@ func (s *DockerSwarmSuite) TestSecretInspectMultiple(c *check.C) {
"test1", "test1",
} }
for _, n := range testNames { for _, n := range testNames {
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: n, Name: n,
}, },
@ -49,7 +49,7 @@ func (s *DockerSwarmSuite) TestSecretInspectMultiple(c *check.C) {
}) })
c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id)) c.Assert(id, checker.Not(checker.Equals), "", check.Commentf("secrets: %s", id))
secret := d.getSecret(c, id) secret := d.GetSecret(c, id)
c.Assert(secret.Spec.Name, checker.Equals, n) c.Assert(secret.Spec.Name, checker.Equals, n)
} }

View File

@ -22,14 +22,14 @@ func (s *DockerSwarmSuite) TestServiceCreateMountVolume(c *check.C) {
var tasks []swarm.Task var tasks []swarm.Task
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
tasks = d.getServiceTasks(c, id) tasks = d.GetServiceTasks(c, id)
return len(tasks) > 0, nil return len(tasks) > 0, nil
}, checker.Equals, true) }, checker.Equals, true)
task := tasks[0] task := tasks[0]
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
if task.NodeID == "" || task.Status.ContainerStatus.ContainerID == "" { if task.NodeID == "" || task.Status.ContainerStatus.ContainerID == "" {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
} }
return task.NodeID != "" && task.Status.ContainerStatus.ContainerID != "", nil return task.NodeID != "" && task.Status.ContainerStatus.ContainerID != "", nil
}, checker.Equals, true) }, checker.Equals, true)
@ -67,7 +67,7 @@ func (s *DockerSwarmSuite) TestServiceCreateWithSecretSimple(c *check.C) {
serviceName := "test-service-secret" serviceName := "test-service-secret"
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
}, },
@ -97,7 +97,7 @@ func (s *DockerSwarmSuite) TestServiceCreateWithSecretSourceTarget(c *check.C) {
serviceName := "test-service-secret" serviceName := "test-service-secret"
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
}, },
@ -129,14 +129,14 @@ func (s *DockerSwarmSuite) TestServiceCreateMountTmpfs(c *check.C) {
var tasks []swarm.Task var tasks []swarm.Task
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
tasks = d.getServiceTasks(c, id) tasks = d.GetServiceTasks(c, id)
return len(tasks) > 0, nil return len(tasks) > 0, nil
}, checker.Equals, true) }, checker.Equals, true)
task := tasks[0] task := tasks[0]
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
if task.NodeID == "" || task.Status.ContainerStatus.ContainerID == "" { if task.NodeID == "" || task.Status.ContainerStatus.ContainerID == "" {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
} }
return task.NodeID != "" && task.Status.ContainerStatus.ContainerID != "", nil return task.NodeID != "" && task.Status.ContainerStatus.ContainerID != "", nil
}, checker.Equals, true) }, checker.Equals, true)

View File

@ -22,7 +22,7 @@ func (s *DockerSwarmSuite) TestServiceHealthRun(c *check.C) {
// build image with health-check // build image with health-check
// note: use `daemon.buildImageWithOut` to build, do not use `buildImage` to build // note: use `daemon.buildImageWithOut` to build, do not use `buildImage` to build
imageName := "testhealth" imageName := "testhealth"
_, _, err := d.buildImageWithOut(imageName, _, _, err := d.BuildImageWithOut(imageName,
`FROM busybox `FROM busybox
RUN touch /status RUN touch /status
HEALTHCHECK --interval=1s --timeout=1s --retries=1\ HEALTHCHECK --interval=1s --timeout=1s --retries=1\
@ -37,7 +37,7 @@ func (s *DockerSwarmSuite) TestServiceHealthRun(c *check.C) {
var tasks []swarm.Task var tasks []swarm.Task
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
tasks = d.getServiceTasks(c, id) tasks = d.GetServiceTasks(c, id)
return tasks, nil return tasks, nil
}, checker.HasLen, 1) }, checker.HasLen, 1)
@ -45,7 +45,7 @@ func (s *DockerSwarmSuite) TestServiceHealthRun(c *check.C) {
// wait for task to start // wait for task to start
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateRunning) }, checker.Equals, swarm.TaskStateRunning)
containerID := task.Status.ContainerStatus.ContainerID containerID := task.Status.ContainerStatus.ContainerID
@ -66,7 +66,7 @@ func (s *DockerSwarmSuite) TestServiceHealthRun(c *check.C) {
// Task should be terminated // Task should be terminated
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateFailed) }, checker.Equals, swarm.TaskStateFailed)
@ -84,7 +84,7 @@ func (s *DockerSwarmSuite) TestServiceHealthStart(c *check.C) {
// service started from this image won't pass health check // service started from this image won't pass health check
imageName := "testhealth" imageName := "testhealth"
_, _, err := d.buildImageWithOut(imageName, _, _, err := d.BuildImageWithOut(imageName,
`FROM busybox `FROM busybox
HEALTHCHECK --interval=1s --timeout=1s --retries=1024\ HEALTHCHECK --interval=1s --timeout=1s --retries=1024\
CMD cat /status`, CMD cat /status`,
@ -98,7 +98,7 @@ func (s *DockerSwarmSuite) TestServiceHealthStart(c *check.C) {
var tasks []swarm.Task var tasks []swarm.Task
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
tasks = d.getServiceTasks(c, id) tasks = d.GetServiceTasks(c, id)
return tasks, nil return tasks, nil
}, checker.HasLen, 1) }, checker.HasLen, 1)
@ -106,7 +106,7 @@ func (s *DockerSwarmSuite) TestServiceHealthStart(c *check.C) {
// wait for task to start // wait for task to start
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateStarting) }, checker.Equals, swarm.TaskStateStarting)
@ -120,7 +120,7 @@ func (s *DockerSwarmSuite) TestServiceHealthStart(c *check.C) {
}, checker.GreaterThan, 0) }, checker.GreaterThan, 0)
// task should be blocked at starting status // task should be blocked at starting status
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
c.Assert(task.Status.State, check.Equals, swarm.TaskStateStarting) c.Assert(task.Status.State, check.Equals, swarm.TaskStateStarting)
// make it healthy // make it healthy
@ -128,7 +128,7 @@ func (s *DockerSwarmSuite) TestServiceHealthStart(c *check.C) {
// Task should be at running status // Task should be at running status
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateRunning) }, checker.Equals, swarm.TaskStateRunning)
} }
@ -142,7 +142,7 @@ func (s *DockerSwarmSuite) TestServiceHealthUpdate(c *check.C) {
// service started from this image won't pass health check // service started from this image won't pass health check
imageName := "testhealth" imageName := "testhealth"
_, _, err := d.buildImageWithOut(imageName, _, _, err := d.BuildImageWithOut(imageName,
`FROM busybox `FROM busybox
HEALTHCHECK --interval=1s --timeout=1s --retries=1024\ HEALTHCHECK --interval=1s --timeout=1s --retries=1024\
CMD cat /status`, CMD cat /status`,
@ -156,7 +156,7 @@ func (s *DockerSwarmSuite) TestServiceHealthUpdate(c *check.C) {
var tasks []swarm.Task var tasks []swarm.Task
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
tasks = d.getServiceTasks(c, id) tasks = d.GetServiceTasks(c, id)
return tasks, nil return tasks, nil
}, checker.HasLen, 1) }, checker.HasLen, 1)
@ -164,7 +164,7 @@ func (s *DockerSwarmSuite) TestServiceHealthUpdate(c *check.C) {
// wait for task to start // wait for task to start
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateStarting) }, checker.Equals, swarm.TaskStateStarting)
@ -178,14 +178,14 @@ func (s *DockerSwarmSuite) TestServiceHealthUpdate(c *check.C) {
}, checker.GreaterThan, 0) }, checker.GreaterThan, 0)
// task should be blocked at starting status // task should be blocked at starting status
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
c.Assert(task.Status.State, check.Equals, swarm.TaskStateStarting) c.Assert(task.Status.State, check.Equals, swarm.TaskStateStarting)
// make it healthy // make it healthy
d.Cmd("exec", containerID, "touch", "/status") d.Cmd("exec", containerID, "touch", "/status")
// Task should be at running status // Task should be at running status
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
task = d.getTask(c, task.ID) task = d.GetTask(c, task.ID)
return task.Status.State, nil return task.Status.State, nil
}, checker.Equals, swarm.TaskStateRunning) }, checker.Equals, swarm.TaskStateRunning)
} }

View File

@ -38,7 +38,7 @@ func (s *DockerSwarmSuite) TestServiceLogs(c *check.C) {
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, waitAndAssert(c, defaultReconciliationTimeout,
d.checkActiveContainerCount, checker.Equals, len(services)) d.CheckActiveContainerCount, checker.Equals, len(services))
for name, message := range services { for name, message := range services {
out, err := d.Cmd("service", "logs", name) out, err := d.Cmd("service", "logs", name)
@ -60,10 +60,10 @@ func (s *DockerSwarmSuite) TestServiceLogsFollow(c *check.C) {
c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "") c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "")
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
args := []string{"service", "logs", "-f", name} args := []string{"service", "logs", "-f", name}
cmd := exec.Command(dockerBinary, d.prependHostArg(args)...) cmd := exec.Command(dockerBinary, d.PrependHostArg(args)...)
r, w := io.Pipe() r, w := io.Pipe()
cmd.Stdout = w cmd.Stdout = w
cmd.Stderr = w cmd.Stderr = w

View File

@ -20,7 +20,7 @@ func (s *DockerSwarmSuite) TestServiceUpdatePort(c *check.C) {
// Create a service with a port mapping of 8080:8081. // Create a service with a port mapping of 8080:8081.
out, err := d.Cmd(serviceArgs...) out, err := d.Cmd(serviceArgs...)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// Update the service: changed the port mapping from 8080:8081 to 8082:8083. // Update the service: changed the port mapping from 8080:8081 to 8082:8083.
_, err = d.Cmd("service", "update", "--publish-add", "8082:8083", "--publish-rm", "8081", serviceName) _, err = d.Cmd("service", "update", "--publish-add", "8082:8083", "--publish-rm", "8081", serviceName)
@ -50,39 +50,39 @@ func (s *DockerSwarmSuite) TestServiceUpdateLabel(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
out, err := d.Cmd("service", "create", "--name=test", "busybox", "top") out, err := d.Cmd("service", "create", "--name=test", "busybox", "top")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service := d.getService(c, "test") service := d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 0) c.Assert(service.Spec.Labels, checker.HasLen, 0)
// add label to empty set // add label to empty set
out, err = d.Cmd("service", "update", "test", "--label-add", "foo=bar") out, err = d.Cmd("service", "update", "test", "--label-add", "foo=bar")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service = d.getService(c, "test") service = d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 1) c.Assert(service.Spec.Labels, checker.HasLen, 1)
c.Assert(service.Spec.Labels["foo"], checker.Equals, "bar") c.Assert(service.Spec.Labels["foo"], checker.Equals, "bar")
// add label to non-empty set // add label to non-empty set
out, err = d.Cmd("service", "update", "test", "--label-add", "foo2=bar") out, err = d.Cmd("service", "update", "test", "--label-add", "foo2=bar")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service = d.getService(c, "test") service = d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 2) c.Assert(service.Spec.Labels, checker.HasLen, 2)
c.Assert(service.Spec.Labels["foo2"], checker.Equals, "bar") c.Assert(service.Spec.Labels["foo2"], checker.Equals, "bar")
out, err = d.Cmd("service", "update", "test", "--label-rm", "foo2") out, err = d.Cmd("service", "update", "test", "--label-rm", "foo2")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service = d.getService(c, "test") service = d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 1) c.Assert(service.Spec.Labels, checker.HasLen, 1)
c.Assert(service.Spec.Labels["foo2"], checker.Equals, "") c.Assert(service.Spec.Labels["foo2"], checker.Equals, "")
out, err = d.Cmd("service", "update", "test", "--label-rm", "foo") out, err = d.Cmd("service", "update", "test", "--label-rm", "foo")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service = d.getService(c, "test") service = d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 0) c.Assert(service.Spec.Labels, checker.HasLen, 0)
c.Assert(service.Spec.Labels["foo"], checker.Equals, "") c.Assert(service.Spec.Labels["foo"], checker.Equals, "")
// now make sure we can add again // now make sure we can add again
out, err = d.Cmd("service", "update", "test", "--label-add", "foo=bar") out, err = d.Cmd("service", "update", "test", "--label-add", "foo=bar")
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
service = d.getService(c, "test") service = d.GetService(c, "test")
c.Assert(service.Spec.Labels, checker.HasLen, 1) c.Assert(service.Spec.Labels, checker.HasLen, 1)
c.Assert(service.Spec.Labels["foo"], checker.Equals, "bar") c.Assert(service.Spec.Labels["foo"], checker.Equals, "bar")
} }
@ -90,7 +90,7 @@ func (s *DockerSwarmSuite) TestServiceUpdateLabel(c *check.C) {
func (s *DockerSwarmSuite) TestServiceUpdateSecrets(c *check.C) { func (s *DockerSwarmSuite) TestServiceUpdateSecrets(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
testName := "test_secret" testName := "test_secret"
id := d.createSecret(c, swarm.SecretSpec{ id := d.CreateSecret(c, swarm.SecretSpec{
swarm.Annotations{ swarm.Annotations{
Name: testName, Name: testName,
}, },
@ -104,7 +104,7 @@ func (s *DockerSwarmSuite) TestServiceUpdateSecrets(c *check.C) {
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
// add secret // add secret
out, err = d.cmdRetryOutOfSequence("service", "update", "test", "--secret-add", fmt.Sprintf("source=%s,target=%s", testName, testTarget)) out, err = d.CmdRetryOutOfSequence("service", "update", "test", "--secret-add", fmt.Sprintf("source=%s,target=%s", testName, testTarget))
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
out, err = d.Cmd("service", "inspect", "--format", "{{ json .Spec.TaskTemplate.ContainerSpec.Secrets }}", serviceName) out, err = d.Cmd("service", "inspect", "--format", "{{ json .Spec.TaskTemplate.ContainerSpec.Secrets }}", serviceName)
@ -119,7 +119,7 @@ func (s *DockerSwarmSuite) TestServiceUpdateSecrets(c *check.C) {
c.Assert(refs[0].File.Name, checker.Equals, testTarget) c.Assert(refs[0].File.Name, checker.Equals, testTarget)
// remove // remove
out, err = d.cmdRetryOutOfSequence("service", "update", "test", "--secret-rm", testName) out, err = d.CmdRetryOutOfSequence("service", "update", "test", "--secret-rm", testName)
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
out, err = d.Cmd("service", "inspect", "--format", "{{ json .Spec.TaskTemplate.ContainerSpec.Secrets }}", serviceName) out, err = d.Cmd("service", "inspect", "--format", "{{ json .Spec.TaskTemplate.ContainerSpec.Secrets }}", serviceName)

View File

@ -15,6 +15,7 @@ import (
"time" "time"
"github.com/docker/docker/api/types/swarm" "github.com/docker/docker/api/types/swarm"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/docker/libnetwork/driverapi" "github.com/docker/libnetwork/driverapi"
"github.com/docker/libnetwork/ipamapi" "github.com/docker/libnetwork/ipamapi"
@ -27,7 +28,7 @@ func (s *DockerSwarmSuite) TestSwarmUpdate(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
getSpec := func() swarm.Spec { getSpec := func() swarm.Spec {
sw := d.getSwarm(c) sw := d.GetSwarm(c)
return sw.Spec return sw.Spec
} }
@ -50,7 +51,7 @@ func (s *DockerSwarmSuite) TestSwarmInit(c *check.C) {
d := s.AddDaemon(c, false, false) d := s.AddDaemon(c, false, false)
getSpec := func() swarm.Spec { getSpec := func() swarm.Spec {
sw := d.getSwarm(c) sw := d.GetSwarm(c)
return sw.Spec return sw.Spec
} }
@ -96,7 +97,7 @@ func (s *DockerSwarmSuite) TestSwarmInitUnspecifiedAdvertiseAddr(c *check.C) {
func (s *DockerSwarmSuite) TestSwarmIncompatibleDaemon(c *check.C) { func (s *DockerSwarmSuite) TestSwarmIncompatibleDaemon(c *check.C) {
// init swarm mode and stop a daemon // init swarm mode and stop a daemon
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
info, err := d.info() info, err := d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive) c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive)
c.Assert(d.Stop(), checker.IsNil) c.Assert(d.Stop(), checker.IsNil)
@ -104,13 +105,15 @@ func (s *DockerSwarmSuite) TestSwarmIncompatibleDaemon(c *check.C) {
// start a daemon with --cluster-store and --cluster-advertise // start a daemon with --cluster-store and --cluster-advertise
err = d.Start("--cluster-store=consul://consuladdr:consulport/some/path", "--cluster-advertise=1.1.1.1:2375") err = d.Start("--cluster-store=consul://consuladdr:consulport/some/path", "--cluster-advertise=1.1.1.1:2375")
c.Assert(err, checker.NotNil) c.Assert(err, checker.NotNil)
content, _ := ioutil.ReadFile(d.logFile.Name()) content, err := d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, "--cluster-store and --cluster-advertise daemon configurations are incompatible with swarm mode") c.Assert(string(content), checker.Contains, "--cluster-store and --cluster-advertise daemon configurations are incompatible with swarm mode")
// start a daemon with --live-restore // start a daemon with --live-restore
err = d.Start("--live-restore") err = d.Start("--live-restore")
c.Assert(err, checker.NotNil) c.Assert(err, checker.NotNil)
content, _ = ioutil.ReadFile(d.logFile.Name()) content, err = d.ReadLogFile()
c.Assert(err, checker.IsNil)
c.Assert(string(content), checker.Contains, "--live-restore daemon configuration is incompatible with swarm mode") c.Assert(string(content), checker.Contains, "--live-restore daemon configuration is incompatible with swarm mode")
// restart for teardown // restart for teardown
c.Assert(d.Start(), checker.IsNil) c.Assert(d.Start(), checker.IsNil)
@ -133,9 +136,9 @@ func (s *DockerSwarmSuite) TestSwarmServiceTemplatingHostname(c *check.C) {
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
containers := d.activeContainers() containers := d.ActiveContainers()
out, err = d.Cmd("inspect", "--type", "container", "--format", "{{.Config.Hostname}}", containers[0]) out, err = d.Cmd("inspect", "--type", "container", "--format", "{{.Config.Hostname}}", containers[0])
c.Assert(err, checker.IsNil, check.Commentf(out)) c.Assert(err, checker.IsNil, check.Commentf(out))
c.Assert(strings.Split(out, "\n")[0], checker.Equals, "test-1", check.Commentf("hostname with templating invalid")) c.Assert(strings.Split(out, "\n")[0], checker.Equals, "test-1", check.Commentf("hostname with templating invalid"))
@ -211,7 +214,7 @@ func (s *DockerSwarmSuite) TestSwarmNodeTaskListFilter(c *check.C) {
c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "") c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "")
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 3) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 3)
filter := "name=redis-cluster" filter := "name=redis-cluster"
@ -240,10 +243,10 @@ func (s *DockerSwarmSuite) TestSwarmPublishAdd(c *check.C) {
out, err = d.Cmd("service", "update", "--publish-add", "80:80", name) out, err = d.Cmd("service", "update", "--publish-add", "80:80", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out, err = d.cmdRetryOutOfSequence("service", "update", "--publish-add", "80:80", name) out, err = d.CmdRetryOutOfSequence("service", "update", "--publish-add", "80:80", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
out, err = d.cmdRetryOutOfSequence("service", "update", "--publish-add", "80:80", "--publish-add", "80:20", name) out, err = d.CmdRetryOutOfSequence("service", "update", "--publish-add", "80:80", "--publish-add", "80:20", name)
c.Assert(err, checker.NotNil) c.Assert(err, checker.NotNil)
out, err = d.Cmd("service", "inspect", "--format", "{{ .Spec.EndpointSpec.Ports }}", name) out, err = d.Cmd("service", "inspect", "--format", "{{ .Spec.EndpointSpec.Ports }}", name)
@ -260,7 +263,7 @@ func (s *DockerSwarmSuite) TestSwarmServiceWithGroup(c *check.C) {
c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "") c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "")
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
out, err = d.Cmd("ps", "-q") out, err = d.Cmd("ps", "-q")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -326,7 +329,7 @@ func (s *DockerSwarmSuite) TestSwarmContainerAttachByNetworkId(c *check.C) {
out, err = d.Cmd("run", "-d", "--net", networkID, "busybox", "top") out, err = d.Cmd("run", "-d", "--net", networkID, "busybox", "top")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
cID := strings.TrimSpace(out) cID := strings.TrimSpace(out)
d.waitRun(cID) d.WaitRun(cID)
_, err = d.Cmd("rm", "-f", cID) _, err = d.Cmd("rm", "-f", cID)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -449,7 +452,7 @@ func (s *DockerSwarmSuite) TestPsListContainersFilterIsTask(c *check.C) {
c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "") c.Assert(strings.TrimSpace(out), checker.Not(checker.Equals), "")
// make sure task has been deployed. // make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkServiceRunningTasks(name), checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckServiceRunningTasks(name), checker.Equals, 1)
// Filter non-tasks // Filter non-tasks
out, err = d.Cmd("ps", "-a", "-q", "--filter=is-task=false") out, err = d.Cmd("ps", "-a", "-q", "--filter=is-task=false")
@ -664,7 +667,7 @@ func (s *DockerSwarmSuite) TestSwarmNetworkPlugin(c *check.C) {
func (s *DockerSwarmSuite) TestSwarmServiceEnvFile(c *check.C) { func (s *DockerSwarmSuite) TestSwarmServiceEnvFile(c *check.C) {
d := s.AddDaemon(c, true, true) d := s.AddDaemon(c, true, true)
path := filepath.Join(d.folder, "env.txt") path := filepath.Join(d.Folder, "env.txt")
err := ioutil.WriteFile(path, []byte("VAR1=A\nVAR2=A\n"), 0644) err := ioutil.WriteFile(path, []byte("VAR1=A\nVAR2=A\n"), 0644)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -692,7 +695,7 @@ func (s *DockerSwarmSuite) TestSwarmServiceTTY(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// We need to get the container id. // We need to get the container id.
out, err = d.Cmd("ps", "-a", "-q", "--no-trunc") out, err = d.Cmd("ps", "-a", "-q", "--no-trunc")
@ -707,7 +710,7 @@ func (s *DockerSwarmSuite) TestSwarmServiceTTY(c *check.C) {
out, err = d.Cmd("service", "rm", name) out, err = d.Cmd("service", "rm", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure container has been destroyed. // Make sure container has been destroyed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 0) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 0)
// With --tty // With --tty
expectedOutput = "TTY" expectedOutput = "TTY"
@ -715,7 +718,7 @@ func (s *DockerSwarmSuite) TestSwarmServiceTTY(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// We need to get the container id. // We need to get the container id.
out, err = d.Cmd("ps", "-a", "-q", "--no-trunc") out, err = d.Cmd("ps", "-a", "-q", "--no-trunc")
@ -736,7 +739,7 @@ func (s *DockerSwarmSuite) TestSwarmServiceTTYUpdate(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
out, err := d.Cmd("service", "inspect", "--format", "{{ .Spec.TaskTemplate.ContainerSpec.TTY }}", name) out, err := d.Cmd("service", "inspect", "--format", "{{ .Spec.TaskTemplate.ContainerSpec.TTY }}", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -759,7 +762,7 @@ func (s *DockerSwarmSuite) TestDNSConfig(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// We need to get the container id. // We need to get the container id.
out, err := d.Cmd("ps", "-a", "-q", "--no-trunc") out, err := d.Cmd("ps", "-a", "-q", "--no-trunc")
@ -786,7 +789,7 @@ func (s *DockerSwarmSuite) TestDNSConfigUpdate(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
_, err = d.Cmd("service", "update", "--dns-add=1.2.3.4", "--dns-search-add=example.com", "--dns-option-add=timeout:3", name) _, err = d.Cmd("service", "update", "--dns-add=1.2.3.4", "--dns-search-add=example.com", "--dns-option-add=timeout:3", name)
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
@ -796,18 +799,18 @@ func (s *DockerSwarmSuite) TestDNSConfigUpdate(c *check.C) {
c.Assert(strings.TrimSpace(out), checker.Equals, "{[1.2.3.4] [example.com] [timeout:3]}") c.Assert(strings.TrimSpace(out), checker.Equals, "{[1.2.3.4] [example.com] [timeout:3]}")
} }
func getNodeStatus(c *check.C, d *SwarmDaemon) swarm.LocalNodeState { func getNodeStatus(c *check.C, d *daemon.Swarm) swarm.LocalNodeState {
info, err := d.info() info, err := d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
return info.LocalNodeState return info.LocalNodeState
} }
func checkSwarmLockedToUnlocked(c *check.C, d *SwarmDaemon, unlockKey string) { func checkSwarmLockedToUnlocked(c *check.C, d *daemon.Swarm, unlockKey string) {
c.Assert(d.Restart(), checker.IsNil) c.Assert(d.Restart(), checker.IsNil)
status := getNodeStatus(c, d) status := getNodeStatus(c, d)
if status == swarm.LocalNodeStateLocked { if status == swarm.LocalNodeStateLocked {
// it must not have updated to be unlocked in time - unlock, wait 3 seconds, and try again // it must not have updated to be unlocked in time - unlock, wait 3 seconds, and try again
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -821,7 +824,7 @@ func checkSwarmLockedToUnlocked(c *check.C, d *SwarmDaemon, unlockKey string) {
c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateActive) c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateActive)
} }
func checkSwarmUnlockedToLocked(c *check.C, d *SwarmDaemon) { func checkSwarmUnlockedToLocked(c *check.C, d *daemon.Swarm) {
c.Assert(d.Restart(), checker.IsNil) c.Assert(d.Restart(), checker.IsNil)
status := getNodeStatus(c, d) status := getNodeStatus(c, d)
if status == swarm.LocalNodeStateActive { if status == swarm.LocalNodeStateActive {
@ -859,7 +862,7 @@ func (s *DockerSwarmSuite) TestSwarmInitLocked(c *check.C) {
c.Assert(d.Restart(), checker.IsNil) c.Assert(d.Restart(), checker.IsNil)
c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked) c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked)
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString("wrong-secret-key") cmd.Stdin = bytes.NewBufferString("wrong-secret-key")
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.NotNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.NotNil, check.Commentf("out: %v", string(out)))
@ -867,7 +870,7 @@ func (s *DockerSwarmSuite) TestSwarmInitLocked(c *check.C) {
c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked) c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked)
cmd = d.command("swarm", "unlock") cmd = d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err = cmd.CombinedOutput() out, err = cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -897,7 +900,7 @@ func (s *DockerSwarmSuite) TestSwarmLeaveLocked(c *check.C) {
// It starts off locked // It starts off locked
c.Assert(d.Restart("--swarm-default-advertise-addr=lo"), checker.IsNil) c.Assert(d.Restart("--swarm-default-advertise-addr=lo"), checker.IsNil)
info, err := d.info() info, err := d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateLocked) c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateLocked)
@ -912,14 +915,14 @@ func (s *DockerSwarmSuite) TestSwarmLeaveLocked(c *check.C) {
outs, err = d.Cmd("swarm", "leave", "--force") outs, err = d.Cmd("swarm", "leave", "--force")
c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs)) c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs))
info, err = d.info() info, err = d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateInactive) c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateInactive)
outs, err = d.Cmd("swarm", "init") outs, err = d.Cmd("swarm", "init")
c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs)) c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs))
info, err = d.info() info, err = d.SwarmInfo()
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive) c.Assert(info.LocalNodeState, checker.Equals, swarm.LocalNodeStateActive)
} }
@ -956,10 +959,10 @@ func (s *DockerSwarmSuite) TestSwarmLockUnlockCluster(c *check.C) {
c.Assert(outs, checker.Equals, unlockKey+"\n") c.Assert(outs, checker.Equals, unlockKey+"\n")
// The ones that got the cluster update should be set to locked // The ones that got the cluster update should be set to locked
for _, d := range []*SwarmDaemon{d1, d3} { for _, d := range []*daemon.Swarm{d1, d3} {
checkSwarmUnlockedToLocked(c, d) checkSwarmUnlockedToLocked(c, d)
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -978,7 +981,7 @@ func (s *DockerSwarmSuite) TestSwarmLockUnlockCluster(c *check.C) {
c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs)) c.Assert(err, checker.IsNil, check.Commentf("out: %v", outs))
// the ones that got the update are now set to unlocked // the ones that got the update are now set to unlocked
for _, d := range []*SwarmDaemon{d1, d3} { for _, d := range []*daemon.Swarm{d1, d3} {
checkSwarmLockedToUnlocked(c, d, unlockKey) checkSwarmLockedToUnlocked(c, d, unlockKey)
} }
@ -986,7 +989,7 @@ func (s *DockerSwarmSuite) TestSwarmLockUnlockCluster(c *check.C) {
c.Assert(getNodeStatus(c, d2), checker.Equals, swarm.LocalNodeStateLocked) c.Assert(getNodeStatus(c, d2), checker.Equals, swarm.LocalNodeStateLocked)
// unlock it // unlock it
cmd := d2.command("swarm", "unlock") cmd := d2.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -1037,10 +1040,10 @@ func (s *DockerSwarmSuite) TestSwarmJoinPromoteLocked(c *check.C) {
d3 := s.AddDaemon(c, true, true) d3 := s.AddDaemon(c, true, true)
// both new nodes are locked // both new nodes are locked
for _, d := range []*SwarmDaemon{d2, d3} { for _, d := range []*daemon.Swarm{d2, d3} {
checkSwarmUnlockedToLocked(c, d) checkSwarmUnlockedToLocked(c, d)
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -1048,7 +1051,7 @@ func (s *DockerSwarmSuite) TestSwarmJoinPromoteLocked(c *check.C) {
} }
// get d3's cert // get d3's cert
d3cert, err := ioutil.ReadFile(filepath.Join(d3.folder, "root", "swarm", "certificates", "swarm-node.crt")) d3cert, err := ioutil.ReadFile(filepath.Join(d3.Folder, "root", "swarm", "certificates", "swarm-node.crt"))
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// demote manager back to worker - workers are not locked // demote manager back to worker - workers are not locked
@ -1061,9 +1064,9 @@ func (s *DockerSwarmSuite) TestSwarmJoinPromoteLocked(c *check.C) {
// to be replaced, then the node still has the manager TLS key which is still locked // to be replaced, then the node still has the manager TLS key which is still locked
// (because we never want a manager TLS key to be on disk unencrypted if the cluster // (because we never want a manager TLS key to be on disk unencrypted if the cluster
// is set to autolock) // is set to autolock)
waitAndAssert(c, defaultReconciliationTimeout, d3.checkControlAvailable, checker.False) waitAndAssert(c, defaultReconciliationTimeout, d3.CheckControlAvailable, checker.False)
waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) { waitAndAssert(c, defaultReconciliationTimeout, func(c *check.C) (interface{}, check.CommentInterface) {
cert, err := ioutil.ReadFile(filepath.Join(d3.folder, "root", "swarm", "certificates", "swarm-node.crt")) cert, err := ioutil.ReadFile(filepath.Join(d3.Folder, "root", "swarm", "certificates", "swarm-node.crt"))
if err != nil { if err != nil {
return "", check.Commentf("error: %v", err) return "", check.Commentf("error: %v", err)
} }
@ -1111,7 +1114,7 @@ func (s *DockerSwarmSuite) TestSwarmRotateUnlockKey(c *check.C) {
outs, _ = d.Cmd("node", "ls") outs, _ = d.Cmd("node", "ls")
c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked") c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked")
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
@ -1128,7 +1131,7 @@ func (s *DockerSwarmSuite) TestSwarmRotateUnlockKey(c *check.C) {
c.Assert(d.Restart(), checker.IsNil) c.Assert(d.Restart(), checker.IsNil)
cmd = d.command("swarm", "unlock") cmd = d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err = cmd.CombinedOutput() out, err = cmd.CombinedOutput()
} }
@ -1138,7 +1141,7 @@ func (s *DockerSwarmSuite) TestSwarmRotateUnlockKey(c *check.C) {
outs, _ = d.Cmd("node", "ls") outs, _ = d.Cmd("node", "ls")
c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked") c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked")
cmd = d.command("swarm", "unlock") cmd = d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(newUnlockKey) cmd.Stdin = bytes.NewBufferString(newUnlockKey)
out, err = cmd.CombinedOutput() out, err = cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -1191,13 +1194,13 @@ func (s *DockerSwarmSuite) TestSwarmClusterRotateUnlockKey(c *check.C) {
c.Assert(d2.Restart(), checker.IsNil) c.Assert(d2.Restart(), checker.IsNil)
c.Assert(d3.Restart(), checker.IsNil) c.Assert(d3.Restart(), checker.IsNil)
for _, d := range []*SwarmDaemon{d2, d3} { for _, d := range []*daemon.Swarm{d2, d3} {
c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked) c.Assert(getNodeStatus(c, d), checker.Equals, swarm.LocalNodeStateLocked)
outs, _ := d.Cmd("node", "ls") outs, _ := d.Cmd("node", "ls")
c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked") c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked")
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
@ -1214,7 +1217,7 @@ func (s *DockerSwarmSuite) TestSwarmClusterRotateUnlockKey(c *check.C) {
c.Assert(d.Restart(), checker.IsNil) c.Assert(d.Restart(), checker.IsNil)
cmd = d.command("swarm", "unlock") cmd = d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err = cmd.CombinedOutput() out, err = cmd.CombinedOutput()
} }
@ -1224,7 +1227,7 @@ func (s *DockerSwarmSuite) TestSwarmClusterRotateUnlockKey(c *check.C) {
outs, _ = d.Cmd("node", "ls") outs, _ = d.Cmd("node", "ls")
c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked") c.Assert(outs, checker.Contains, "Swarm is encrypted and needs to be unlocked")
cmd = d.command("swarm", "unlock") cmd = d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(newUnlockKey) cmd.Stdin = bytes.NewBufferString(newUnlockKey)
out, err = cmd.CombinedOutput() out, err = cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -1260,7 +1263,7 @@ func (s *DockerSwarmSuite) TestSwarmAlternateLockUnlock(c *check.C) {
c.Assert(unlockKey, checker.Not(checker.Equals), "") c.Assert(unlockKey, checker.Not(checker.Equals), "")
checkSwarmUnlockedToLocked(c, d) checkSwarmUnlockedToLocked(c, d)
cmd := d.command("swarm", "unlock") cmd := d.Command("swarm", "unlock")
cmd.Stdin = bytes.NewBufferString(unlockKey) cmd.Stdin = bytes.NewBufferString(unlockKey)
out, err := cmd.CombinedOutput() out, err := cmd.CombinedOutput()
c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out))) c.Assert(err, checker.IsNil, check.Commentf("out: %v", string(out)))
@ -1283,7 +1286,7 @@ func (s *DockerSwarmSuite) TestExtraHosts(c *check.C) {
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
// Make sure task has been deployed. // Make sure task has been deployed.
waitAndAssert(c, defaultReconciliationTimeout, d.checkActiveContainerCount, checker.Equals, 1) waitAndAssert(c, defaultReconciliationTimeout, d.CheckActiveContainerCount, checker.Equals, 1)
// We need to get the container id. // We need to get the container id.
out, err := d.Cmd("ps", "-a", "-q", "--no-trunc") out, err := d.Cmd("ps", "-a", "-q", "--no-trunc")
@ -1303,7 +1306,7 @@ func (s *DockerSwarmSuite) TestSwarmManagerAddress(c *check.C) {
d3 := s.AddDaemon(c, true, false) d3 := s.AddDaemon(c, true, false)
// Manager Addresses will always show Node 1's address // Manager Addresses will always show Node 1's address
expectedOutput := fmt.Sprintf("Manager Addresses:\n 127.0.0.1:%d\n", d1.port) expectedOutput := fmt.Sprintf("Manager Addresses:\n 127.0.0.1:%d\n", d1.Port)
out, err := d1.Cmd("info") out, err := d1.Cmd("info")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)

View File

@ -36,8 +36,8 @@ func (s *DockerDaemonSuite) TestDaemonUserNamespaceRootSetting(c *check.C) {
defer os.RemoveAll(tmpDirNotExists) defer os.RemoveAll(tmpDirNotExists)
// we need to find the uid and gid of the remapped root from the daemon's root dir info // we need to find the uid and gid of the remapped root from the daemon's root dir info
uidgid := strings.Split(filepath.Base(s.d.root), ".") uidgid := strings.Split(filepath.Base(s.d.Root), ".")
c.Assert(uidgid, checker.HasLen, 2, check.Commentf("Should have gotten uid/gid strings from root dirname: %s", filepath.Base(s.d.root))) c.Assert(uidgid, checker.HasLen, 2, check.Commentf("Should have gotten uid/gid strings from root dirname: %s", filepath.Base(s.d.Root)))
uid, err := strconv.Atoi(uidgid[0]) uid, err := strconv.Atoi(uidgid[0])
c.Assert(err, checker.IsNil, check.Commentf("Can't parse uid")) c.Assert(err, checker.IsNil, check.Commentf("Can't parse uid"))
gid, err := strconv.Atoi(uidgid[1]) gid, err := strconv.Atoi(uidgid[1])

View File

@ -7,6 +7,7 @@ import (
"net/http" "net/http"
"strings" "strings"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -150,7 +151,7 @@ func (s *DockerSuite) TestDeprecatedStartWithTooLowMemoryLimit(c *check.C) {
res, body, err := sockRequestRaw("POST", formatV123StartAPIURL("/containers/"+containerID+"/start"), strings.NewReader(config), "application/json") res, body, err := sockRequestRaw("POST", formatV123StartAPIURL("/containers/"+containerID+"/start"), strings.NewReader(config), "application/json")
c.Assert(err, checker.IsNil) c.Assert(err, checker.IsNil)
b, err2 := readBody(body) b, err2 := integration.ReadBody(body)
c.Assert(err2, checker.IsNil) c.Assert(err2, checker.IsNil)
c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError) c.Assert(res.StatusCode, checker.Equals, http.StatusInternalServerError)
c.Assert(string(b), checker.Contains, "Minimum memory limit allowed is 4MB") c.Assert(string(b), checker.Contains, "Minimum memory limit allowed is 4MB")

View File

@ -5,6 +5,7 @@ import (
"runtime" "runtime"
"strings" "strings"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -25,7 +26,7 @@ func init() {
// relative impact of each individual operation. As part of this suite, all // relative impact of each individual operation. As part of this suite, all
// images are removed after each test. // images are removed after each test.
type DockerHubPullSuite struct { type DockerHubPullSuite struct {
d *Daemon d *daemon.Daemon
ds *DockerSuite ds *DockerSuite
} }
@ -39,7 +40,9 @@ func newDockerHubPullSuite() *DockerHubPullSuite {
// SetUpSuite starts the suite daemon. // SetUpSuite starts the suite daemon.
func (s *DockerHubPullSuite) SetUpSuite(c *check.C) { func (s *DockerHubPullSuite) SetUpSuite(c *check.C) {
testRequires(c, DaemonIsLinux) testRequires(c, DaemonIsLinux)
s.d = NewDaemon(c) s.d = daemon.New(c, dockerBinary, dockerdBinary, daemon.Config{
Experimental: experimentalDaemon,
})
err := s.d.Start() err := s.d.Start()
c.Assert(err, checker.IsNil, check.Commentf("starting push/pull test daemon: %v", err)) c.Assert(err, checker.IsNil, check.Commentf("starting push/pull test daemon: %v", err))
} }
@ -84,7 +87,7 @@ func (s *DockerHubPullSuite) CmdWithError(name string, arg ...string) (string, e
// MakeCmd returns an exec.Cmd command to run against the suite daemon. // MakeCmd returns an exec.Cmd command to run against the suite daemon.
func (s *DockerHubPullSuite) MakeCmd(name string, arg ...string) *exec.Cmd { func (s *DockerHubPullSuite) MakeCmd(name string, arg ...string) *exec.Cmd {
args := []string{"--host", s.d.sock(), name} args := []string{"--host", s.d.Sock(), name}
args = append(args, arg...) args = append(args, arg...)
return exec.Command(dockerBinary, args...) return exec.Command(dockerBinary, args...)
} }

View File

@ -3,7 +3,6 @@ package main
import ( import (
"bufio" "bufio"
"bytes" "bytes"
"crypto/tls"
"encoding/json" "encoding/json"
"errors" "errors"
"fmt" "fmt"
@ -24,13 +23,14 @@ import (
"github.com/docker/docker/api/types" "github.com/docker/docker/api/types"
volumetypes "github.com/docker/docker/api/types/volume" volumetypes "github.com/docker/docker/api/types/volume"
"github.com/docker/docker/integration-cli/daemon"
"github.com/docker/docker/opts" "github.com/docker/docker/opts"
"github.com/docker/docker/pkg/httputils" "github.com/docker/docker/pkg/httputils"
"github.com/docker/docker/pkg/integration"
"github.com/docker/docker/pkg/integration/checker" "github.com/docker/docker/pkg/integration/checker"
icmd "github.com/docker/docker/pkg/integration/cmd" icmd "github.com/docker/docker/pkg/integration/cmd"
"github.com/docker/docker/pkg/ioutils" "github.com/docker/docker/pkg/ioutils"
"github.com/docker/docker/pkg/stringutils" "github.com/docker/docker/pkg/stringutils"
"github.com/docker/go-connections/tlsconfig"
"github.com/docker/go-units" "github.com/docker/go-units"
"github.com/go-check/check" "github.com/go-check/check"
) )
@ -107,55 +107,12 @@ func daemonHost() string {
return daemonURLStr return daemonURLStr
} }
func getTLSConfig() (*tls.Config, error) { // FIXME(vdemeester) should probably completely move to daemon struct/methods
dockerCertPath := os.Getenv("DOCKER_CERT_PATH") func sockConn(timeout time.Duration, daemonStr string) (net.Conn, error) {
if daemonStr == "" {
if dockerCertPath == "" { daemonStr = daemonHost()
return nil, fmt.Errorf("DOCKER_TLS_VERIFY specified, but no DOCKER_CERT_PATH environment variable")
}
option := &tlsconfig.Options{
CAFile: filepath.Join(dockerCertPath, "ca.pem"),
CertFile: filepath.Join(dockerCertPath, "cert.pem"),
KeyFile: filepath.Join(dockerCertPath, "key.pem"),
}
tlsConfig, err := tlsconfig.Client(*option)
if err != nil {
return nil, err
}
return tlsConfig, nil
}
func sockConn(timeout time.Duration, daemon string) (net.Conn, error) {
if daemon == "" {
daemon = daemonHost()
}
daemonURL, err := url.Parse(daemon)
if err != nil {
return nil, fmt.Errorf("could not parse url %q: %v", daemon, err)
}
var c net.Conn
switch daemonURL.Scheme {
case "npipe":
return npipeDial(daemonURL.Path, timeout)
case "unix":
return net.DialTimeout(daemonURL.Scheme, daemonURL.Path, timeout)
case "tcp":
if os.Getenv("DOCKER_TLS_VERIFY") != "" {
// Setup the socket TLS configuration.
tlsConfig, err := getTLSConfig()
if err != nil {
return nil, err
}
dialer := &net.Dialer{Timeout: timeout}
return tls.DialWithDialer(dialer, daemonURL.Scheme, daemonURL.Host, tlsConfig)
}
return net.DialTimeout(daemonURL.Scheme, daemonURL.Host, timeout)
default:
return c, fmt.Errorf("unknown scheme %v (%s)", daemonURL.Scheme, daemon)
} }
return daemon.SockConn(timeout, daemonStr)
} }
func sockRequest(method, endpoint string, data interface{}) (int, []byte, error) { func sockRequest(method, endpoint string, data interface{}) (int, []byte, error) {
@ -168,7 +125,7 @@ func sockRequest(method, endpoint string, data interface{}) (int, []byte, error)
if err != nil { if err != nil {
return -1, nil, err return -1, nil, err
} }
b, err := readBody(body) b, err := integration.ReadBody(body)
return res.StatusCode, b, err return res.StatusCode, b, err
} }
@ -226,11 +183,6 @@ func newRequestClient(method, endpoint string, data io.Reader, ct, daemon string
return req, client, nil return req, client, nil
} }
func readBody(b io.ReadCloser) ([]byte, error) {
defer b.Close()
return ioutil.ReadAll(b)
}
func deleteContainer(container ...string) error { func deleteContainer(container ...string) error {
result := icmd.RunCommand(dockerBinary, append([]string{"rm", "-fv"}, container...)...) result := icmd.RunCommand(dockerBinary, append([]string{"rm", "-fv"}, container...)...)
return result.Compare(icmd.Success) return result.Compare(icmd.Success)
@ -950,23 +902,7 @@ func getContainerState(c *check.C, id string) (int, bool, error) {
} }
func buildImageCmd(name, dockerfile string, useCache bool, buildFlags ...string) *exec.Cmd { func buildImageCmd(name, dockerfile string, useCache bool, buildFlags ...string) *exec.Cmd {
return buildImageCmdWithHost(name, dockerfile, "", useCache, buildFlags...) return daemon.BuildImageCmdWithHost(dockerBinary, name, dockerfile, "", useCache, buildFlags...)
}
func buildImageCmdWithHost(name, dockerfile, host string, useCache bool, buildFlags ...string) *exec.Cmd {
args := []string{}
if host != "" {
args = append(args, "--host", host)
}
args = append(args, "build", "-t", name)
if !useCache {
args = append(args, "--no-cache")
}
args = append(args, buildFlags...)
args = append(args, "-")
buildCmd := exec.Command(dockerBinary, args...)
buildCmd.Stdin = strings.NewReader(dockerfile)
return buildCmd
} }
func buildImageWithOut(name, dockerfile string, useCache bool, buildFlags ...string) (string, string, error) { func buildImageWithOut(name, dockerfile string, useCache bool, buildFlags ...string) (string, string, error) {
@ -1401,39 +1337,7 @@ func waitInspect(name, expr, expected string, timeout time.Duration) error {
} }
func waitInspectWithArgs(name, expr, expected string, timeout time.Duration, arg ...string) error { func waitInspectWithArgs(name, expr, expected string, timeout time.Duration, arg ...string) error {
after := time.After(timeout) return daemon.WaitInspectWithArgs(dockerBinary, name, expr, expected, timeout, arg...)
args := append(arg, "inspect", "-f", expr, name)
for {
result := icmd.RunCommand(dockerBinary, args...)
if result.Error != nil {
if !strings.Contains(result.Stderr(), "No such") {
return fmt.Errorf("error executing docker inspect: %v\n%s",
result.Stderr(), result.Stdout())
}
select {
case <-after:
return result.Error
default:
time.Sleep(10 * time.Millisecond)
continue
}
}
out := strings.TrimSpace(result.Stdout())
if out == expected {
break
}
select {
case <-after:
return fmt.Errorf("condition \"%q == %q\" not true in time", out, expected)
default:
}
time.Sleep(100 * time.Millisecond)
}
return nil
} }
func getInspectBody(c *check.C, version, id string) []byte { func getInspectBody(c *check.C, version, id string) []byte {

View File

@ -5,6 +5,7 @@ import (
"errors" "errors"
"fmt" "fmt"
"io" "io"
"io/ioutil"
"os" "os"
"os/exec" "os/exec"
"path/filepath" "path/filepath"
@ -225,3 +226,9 @@ func RunAtDifferentDate(date time.Time, block func()) {
block() block()
return return
} }
// ReadBody read the specified ReadCloser content and returns it
func ReadBody(b io.ReadCloser) ([]byte, error) {
defer b.Close()
return ioutil.ReadAll(b)
}