123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111 |
- package node
- import (
- "fmt"
- "io"
- "text/tabwriter"
- "golang.org/x/net/context"
- "github.com/docker/docker/api/client"
- "github.com/docker/docker/cli"
- "github.com/docker/docker/opts"
- "github.com/docker/engine-api/types"
- "github.com/docker/engine-api/types/swarm"
- "github.com/spf13/cobra"
- )
- const (
- listItemFmt = "%s\t%s\t%s\t%s\t%s\n"
- )
- type listOptions struct {
- quiet bool
- filter opts.FilterOpt
- }
- func newListCommand(dockerCli *client.DockerCli) *cobra.Command {
- opts := listOptions{filter: opts.NewFilterOpt()}
- cmd := &cobra.Command{
- Use: "ls [OPTIONS]",
- Aliases: []string{"list"},
- Short: "List nodes in the swarm",
- Args: cli.NoArgs,
- RunE: func(cmd *cobra.Command, args []string) error {
- return runList(dockerCli, opts)
- },
- }
- flags := cmd.Flags()
- flags.BoolVarP(&opts.quiet, "quiet", "q", false, "Only display IDs")
- flags.VarP(&opts.filter, "filter", "f", "Filter output based on conditions provided")
- return cmd
- }
- func runList(dockerCli *client.DockerCli, opts listOptions) error {
- client := dockerCli.Client()
- ctx := context.Background()
- nodes, err := client.NodeList(
- ctx,
- types.NodeListOptions{Filter: opts.filter.Value()})
- if err != nil {
- return err
- }
- info, err := client.Info(ctx)
- if err != nil {
- return err
- }
- out := dockerCli.Out()
- if opts.quiet {
- printQuiet(out, nodes)
- } else {
- printTable(out, nodes, info)
- }
- return nil
- }
- func printTable(out io.Writer, nodes []swarm.Node, info types.Info) {
- writer := tabwriter.NewWriter(out, 0, 4, 2, ' ', 0)
- // Ignore flushing errors
- defer writer.Flush()
- fmt.Fprintf(writer, listItemFmt, "ID", "HOSTNAME", "STATUS", "AVAILABILITY", "MANAGER STATUS")
- for _, node := range nodes {
- name := node.Description.Hostname
- availability := string(node.Spec.Availability)
- reachability := ""
- if node.ManagerStatus != nil {
- if node.ManagerStatus.Leader {
- reachability = "Leader"
- } else {
- reachability = string(node.ManagerStatus.Reachability)
- }
- }
- ID := node.ID
- if node.ID == info.Swarm.NodeID {
- ID = ID + " *"
- }
- fmt.Fprintf(
- writer,
- listItemFmt,
- ID,
- name,
- client.PrettyPrint(string(node.Status.State)),
- client.PrettyPrint(availability),
- client.PrettyPrint(reachability))
- }
- }
- func printQuiet(out io.Writer, nodes []swarm.Node) {
- for _, node := range nodes {
- fmt.Fprintln(out, node.ID)
- }
- }
|