2016-09-08 13:11:39 -04:00
|
|
|
package idresolver
|
|
|
|
|
|
|
|
import (
|
|
|
|
"golang.org/x/net/context"
|
|
|
|
|
2017-03-30 20:15:54 -04:00
|
|
|
"github.com/docker/docker/api/types"
|
2016-09-08 13:11:39 -04:00
|
|
|
"github.com/docker/docker/api/types/swarm"
|
|
|
|
"github.com/docker/docker/client"
|
2017-03-09 13:23:45 -05:00
|
|
|
"github.com/pkg/errors"
|
2016-09-08 13:11:39 -04:00
|
|
|
)
|
|
|
|
|
|
|
|
// IDResolver provides ID to Name resolution.
|
|
|
|
type IDResolver struct {
|
|
|
|
client client.APIClient
|
|
|
|
noResolve bool
|
|
|
|
cache map[string]string
|
|
|
|
}
|
|
|
|
|
|
|
|
// New creates a new IDResolver.
|
|
|
|
func New(client client.APIClient, noResolve bool) *IDResolver {
|
|
|
|
return &IDResolver{
|
|
|
|
client: client,
|
|
|
|
noResolve: noResolve,
|
|
|
|
cache: make(map[string]string),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
func (r *IDResolver) get(ctx context.Context, t interface{}, id string) (string, error) {
|
2016-12-06 21:57:22 -05:00
|
|
|
switch t.(type) {
|
2016-09-08 13:11:39 -04:00
|
|
|
case swarm.Node:
|
|
|
|
node, _, err := r.client.NodeInspectWithRaw(ctx, id)
|
|
|
|
if err != nil {
|
|
|
|
return id, nil
|
|
|
|
}
|
|
|
|
if node.Spec.Annotations.Name != "" {
|
|
|
|
return node.Spec.Annotations.Name, nil
|
|
|
|
}
|
|
|
|
if node.Description.Hostname != "" {
|
|
|
|
return node.Description.Hostname, nil
|
|
|
|
}
|
|
|
|
return id, nil
|
|
|
|
case swarm.Service:
|
2017-03-30 20:15:54 -04:00
|
|
|
service, _, err := r.client.ServiceInspectWithRaw(ctx, id, types.ServiceInspectOptions{})
|
2016-09-08 13:11:39 -04:00
|
|
|
if err != nil {
|
|
|
|
return id, nil
|
|
|
|
}
|
|
|
|
return service.Spec.Annotations.Name, nil
|
|
|
|
default:
|
2017-03-09 13:23:45 -05:00
|
|
|
return "", errors.Errorf("unsupported type")
|
2016-09-08 13:11:39 -04:00
|
|
|
}
|
|
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
// Resolve will attempt to resolve an ID to a Name by querying the manager.
|
|
|
|
// Results are stored into a cache.
|
|
|
|
// If the `-n` flag is used in the command-line, resolution is disabled.
|
|
|
|
func (r *IDResolver) Resolve(ctx context.Context, t interface{}, id string) (string, error) {
|
|
|
|
if r.noResolve {
|
|
|
|
return id, nil
|
|
|
|
}
|
|
|
|
if name, ok := r.cache[id]; ok {
|
|
|
|
return name, nil
|
|
|
|
}
|
|
|
|
name, err := r.get(ctx, t, id)
|
|
|
|
if err != nil {
|
|
|
|
return "", err
|
|
|
|
}
|
|
|
|
r.cache[id] = name
|
|
|
|
return name, nil
|
|
|
|
}
|