2016-09-08 13:11:39 -04:00
|
|
|
package container
|
|
|
|
|
|
|
|
import (
|
2018-05-03 21:02:44 -04:00
|
|
|
"context"
|
2016-09-08 13:11:39 -04:00
|
|
|
"fmt"
|
|
|
|
"strings"
|
|
|
|
|
2017-04-17 18:07:56 -04:00
|
|
|
"github.com/docker/cli/cli"
|
|
|
|
"github.com/docker/cli/cli/command"
|
2022-03-30 09:27:25 -04:00
|
|
|
"github.com/docker/cli/cli/command/completion"
|
2022-04-29 13:26:50 -04:00
|
|
|
"github.com/docker/docker/api/types/container"
|
2017-03-27 21:21:59 -04:00
|
|
|
"github.com/pkg/errors"
|
2016-09-08 13:11:39 -04:00
|
|
|
"github.com/spf13/cobra"
|
|
|
|
)
|
|
|
|
|
|
|
|
type stopOptions struct {
|
2016-06-06 23:29:05 -04:00
|
|
|
time int
|
|
|
|
timeChanged bool
|
2016-09-08 13:11:39 -04:00
|
|
|
|
|
|
|
containers []string
|
|
|
|
}
|
|
|
|
|
|
|
|
// NewStopCommand creates a new cobra.Command for `docker stop`
|
2017-10-11 12:18:27 -04:00
|
|
|
func NewStopCommand(dockerCli command.Cli) *cobra.Command {
|
2016-09-08 13:11:39 -04:00
|
|
|
var opts stopOptions
|
|
|
|
|
|
|
|
cmd := &cobra.Command{
|
|
|
|
Use: "stop [OPTIONS] CONTAINER [CONTAINER...]",
|
|
|
|
Short: "Stop one or more running containers",
|
|
|
|
Args: cli.RequiresMinArgs(1),
|
|
|
|
RunE: func(cmd *cobra.Command, args []string) error {
|
|
|
|
opts.containers = args
|
2016-06-06 23:29:05 -04:00
|
|
|
opts.timeChanged = cmd.Flags().Changed("time")
|
2016-09-08 13:11:39 -04:00
|
|
|
return runStop(dockerCli, &opts)
|
|
|
|
},
|
2022-03-30 09:27:25 -04:00
|
|
|
ValidArgsFunction: completion.ContainerNames(dockerCli, false),
|
2016-09-08 13:11:39 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
flags := cmd.Flags()
|
|
|
|
flags.IntVarP(&opts.time, "time", "t", 10, "Seconds to wait for stop before killing it")
|
|
|
|
return cmd
|
|
|
|
}
|
|
|
|
|
2017-10-11 12:18:27 -04:00
|
|
|
func runStop(dockerCli command.Cli, opts *stopOptions) error {
|
2022-04-29 13:26:50 -04:00
|
|
|
var timeout *int
|
2016-06-06 23:29:05 -04:00
|
|
|
if opts.timeChanged {
|
2022-04-29 13:26:50 -04:00
|
|
|
timeout = &opts.time
|
2016-06-06 23:29:05 -04:00
|
|
|
}
|
2016-09-08 13:11:39 -04:00
|
|
|
|
2022-04-29 13:26:50 -04:00
|
|
|
errChan := parallelOperation(context.Background(), opts.containers, func(ctx context.Context, id string) error {
|
|
|
|
return dockerCli.Client().ContainerStop(ctx, id, container.StopOptions{
|
|
|
|
Timeout: timeout,
|
|
|
|
})
|
2016-07-18 12:02:41 -04:00
|
|
|
})
|
2022-04-29 13:26:50 -04:00
|
|
|
var errs []string
|
|
|
|
for _, ctr := range opts.containers {
|
2016-07-18 12:02:41 -04:00
|
|
|
if err := <-errChan; err != nil {
|
2016-09-08 13:11:39 -04:00
|
|
|
errs = append(errs, err.Error())
|
2016-12-24 19:05:37 -05:00
|
|
|
continue
|
2016-09-08 13:11:39 -04:00
|
|
|
}
|
2022-04-29 13:26:50 -04:00
|
|
|
_, _ = fmt.Fprintln(dockerCli.Out(), ctr)
|
2016-09-08 13:11:39 -04:00
|
|
|
}
|
|
|
|
if len(errs) > 0 {
|
2016-12-24 19:05:37 -05:00
|
|
|
return errors.New(strings.Join(errs, "\n"))
|
2016-09-08 13:11:39 -04:00
|
|
|
}
|
|
|
|
return nil
|
|
|
|
}
|