open-nomad/client/consul.go

394 lines
12 KiB
Go
Raw Normal View History

package client
import (
"crypto/tls"
"fmt"
2015-11-18 10:14:07 +00:00
"log"
"net/http"
2015-11-18 22:19:58 +00:00
"net/url"
"strings"
"sync"
"time"
consul "github.com/hashicorp/consul/api"
"github.com/hashicorp/go-multierror"
"github.com/hashicorp/nomad/nomad/structs"
)
const (
syncInterval = 5 * time.Second
)
2015-11-26 19:25:09 +00:00
// consulApi is the interface which wraps the actual consul api client
2015-11-26 09:03:16 +00:00
type consulApi interface {
CheckRegister(check *consul.AgentCheckRegistration) error
CheckDeregister(checkID string) error
ServiceRegister(service *consul.AgentServiceRegistration) error
ServiceDeregister(ServiceID string) error
Services() (map[string]*consul.AgentService, error)
Checks() (map[string]*consul.AgentCheck, error)
}
2015-11-26 19:25:09 +00:00
// consulApiClient is the actual implementation of the consulApi which
// talks to the consul agent
2015-11-26 09:03:16 +00:00
type consulApiClient struct {
client *consul.Client
}
func (a *consulApiClient) CheckRegister(check *consul.AgentCheckRegistration) error {
return a.client.Agent().CheckRegister(check)
}
func (a *consulApiClient) CheckDeregister(checkID string) error {
return a.client.Agent().CheckDeregister(checkID)
}
func (a *consulApiClient) ServiceRegister(service *consul.AgentServiceRegistration) error {
return a.client.Agent().ServiceRegister(service)
}
func (a *consulApiClient) ServiceDeregister(serviceId string) error {
return a.client.Agent().ServiceDeregister(serviceId)
}
func (a *consulApiClient) Services() (map[string]*consul.AgentService, error) {
return a.client.Agent().Services()
}
func (a *consulApiClient) Checks() (map[string]*consul.AgentCheck, error) {
return a.client.Agent().Checks()
}
2015-11-26 19:25:09 +00:00
// trackedTask is a Task that we are tracking for changes in service and check
// definitions and keep them sycned with Consul Agent
2015-11-25 01:26:30 +00:00
type trackedTask struct {
allocID string
task *structs.Task
}
2015-11-26 19:25:09 +00:00
// ConsulService is the service which tracks tasks and syncs the services and
// checks defined in them with Consul Agent
2015-11-24 20:34:26 +00:00
type ConsulService struct {
2015-11-26 09:03:16 +00:00
client consulApi
logger *log.Logger
shutdownCh chan struct{}
2015-12-09 23:24:44 +00:00
node *structs.Node
2015-11-18 10:14:07 +00:00
2015-11-26 01:28:44 +00:00
trackedTasks map[string]*trackedTask
serviceStates map[string]string
trackedTskLock sync.Mutex
}
type consulServiceConfig struct {
logger *log.Logger
consulAddr string
token string
auth string
enableSSL bool
verifySSL bool
node *structs.Node
}
2015-11-26 02:31:11 +00:00
// A factory method to create new consul service
func NewConsulService(config *consulServiceConfig) (*ConsulService, error) {
var err error
var c *consul.Client
cfg := consul.DefaultConfig()
cfg.Address = config.consulAddr
if config.token != "" {
cfg.Token = config.token
}
if config.auth != "" {
var username, password string
if strings.Contains(config.auth, ":") {
split := strings.SplitN(config.auth, ":", 2)
username = split[0]
password = split[1]
} else {
username = config.auth
}
cfg.HttpAuth = &consul.HttpBasicAuth{
Username: username,
Password: password,
}
}
if config.enableSSL {
cfg.Scheme = "https"
}
if config.enableSSL && !config.verifySSL {
cfg.HttpClient.Transport = &http.Transport{
TLSClientConfig: &tls.Config{
InsecureSkipVerify: true,
},
}
}
if c, err = consul.NewClient(cfg); err != nil {
return nil, err
}
2015-11-24 20:34:26 +00:00
consulService := ConsulService{
2015-11-26 09:03:16 +00:00
client: &consulApiClient{client: c},
logger: config.logger,
node: config.node,
2015-11-26 01:28:44 +00:00
trackedTasks: make(map[string]*trackedTask),
serviceStates: make(map[string]string),
shutdownCh: make(chan struct{}),
}
2015-11-24 20:34:26 +00:00
return &consulService, nil
}
2015-11-26 21:47:02 +00:00
// Register starts tracking a task for changes to it's services and tasks and
// adds/removes services and checks associated with it.
2015-11-24 20:34:26 +00:00
func (c *ConsulService) Register(task *structs.Task, allocID string) error {
var mErr multierror.Error
2015-11-25 01:26:30 +00:00
c.trackedTskLock.Lock()
tt := &trackedTask{allocID: allocID, task: task}
c.trackedTasks[fmt.Sprintf("%s-%s", allocID, task.Name)] = tt
c.trackedTskLock.Unlock()
for _, service := range task.Services {
c.logger.Printf("[INFO] consul: registering service %s with consul.", service.Name)
if err := c.registerService(service, task, allocID); err != nil {
mErr.Errors = append(mErr.Errors, err)
}
}
return mErr.ErrorOrNil()
}
2015-11-26 21:47:02 +00:00
// Deregister stops tracking a task for changes to it's services and checks and
// removes all the services and checks associated with the Task
2015-11-25 01:26:30 +00:00
func (c *ConsulService) Deregister(task *structs.Task, allocID string) error {
var mErr multierror.Error
2015-11-25 01:26:30 +00:00
c.trackedTskLock.Lock()
delete(c.trackedTasks, fmt.Sprintf("%s-%s", allocID, task.Name))
c.trackedTskLock.Unlock()
for _, service := range task.Services {
if service.Id == "" {
continue
}
c.logger.Printf("[INFO] consul: deregistering service %v with consul", service.Name)
if err := c.deregisterService(service.Id); err != nil {
c.printLogMessage("[DEBUG] consul: error in deregistering service %v from consul", service.Name)
mErr.Errors = append(mErr.Errors, err)
}
}
return mErr.ErrorOrNil()
}
2015-11-24 20:34:26 +00:00
func (c *ConsulService) ShutDown() {
close(c.shutdownCh)
}
2015-11-26 08:21:25 +00:00
// SyncWithConsul is a long lived function that performs calls to sync
// checks and services periodically with Consul Agent
2015-11-24 20:34:26 +00:00
func (c *ConsulService) SyncWithConsul() {
sync := time.After(syncInterval)
for {
select {
case <-sync:
2015-11-26 09:03:16 +00:00
c.performSync()
sync = time.After(syncInterval)
case <-c.shutdownCh:
c.logger.Printf("[INFO] consul: shutting down consul service")
return
}
}
}
2015-11-26 08:21:25 +00:00
// performSync syncs checks and services with Consul and removed tracked
// services which are no longer present in tasks
2015-11-26 09:03:16 +00:00
func (c *ConsulService) performSync() {
2015-11-26 01:28:44 +00:00
// Get the list of the services and that Consul knows about
srvcs, err := c.client.Services()
if err != nil {
return
}
chks, err := c.client.Checks()
if err != nil {
return
}
// Filter the services and checks that isn't managed by consul
consulServices := c.filterConsulServices(srvcs)
consulChecks := c.filterConsulChecks(chks)
2015-11-24 22:37:14 +00:00
2015-11-26 01:28:44 +00:00
knownChecks := make(map[string]struct{})
2015-11-26 02:23:47 +00:00
knownServices := make(map[string]struct{})
// Add services and checks which Consul doesn't know about
2015-11-25 01:26:30 +00:00
for _, trackedTask := range c.trackedTasks {
for _, service := range trackedTask.task.Services {
2015-11-26 08:21:25 +00:00
// Add new services which Consul agent isn't aware of
2015-11-26 02:23:47 +00:00
knownServices[service.Id] = struct{}{}
2015-11-26 01:28:44 +00:00
if _, ok := consulServices[service.Id]; !ok {
c.printLogMessage("[INFO] consul: registering service %s with consul.", service.Name)
2015-11-25 01:26:30 +00:00
c.registerService(service, trackedTask.task, trackedTask.allocID)
2015-11-26 01:28:44 +00:00
continue
2015-11-25 01:26:30 +00:00
}
2015-11-26 08:21:25 +00:00
// If a service has changed, re-register it with Consul agent
2015-11-26 01:28:44 +00:00
if service.Hash() != c.serviceStates[service.Id] {
c.printLogMessage("[INFO] consul: reregistering service %s with consul.", service.Name)
2015-11-26 01:28:44 +00:00
c.registerService(service, trackedTask.task, trackedTask.allocID)
continue
}
2015-11-26 08:21:25 +00:00
// Add new checks that Consul isn't aware of
2015-11-26 01:28:44 +00:00
for _, check := range service.Checks {
knownChecks[check.Id] = struct{}{}
if _, ok := consulChecks[check.Id]; !ok {
2015-11-26 01:28:44 +00:00
host, port := trackedTask.task.FindHostAndPortFor(service.PortLabel)
cr := c.makeCheck(service, check, host, port)
2015-11-26 01:28:44 +00:00
c.registerCheck(cr)
}
2015-11-24 22:37:14 +00:00
}
}
}
2015-11-26 08:21:25 +00:00
// Remove services from the service tracker which no longer exists
for serviceId := range c.serviceStates {
if _, ok := knownServices[serviceId]; !ok {
delete(c.serviceStates, serviceId)
}
}
2015-11-26 02:23:47 +00:00
// Remove services that are not present anymore
2015-11-26 01:28:44 +00:00
for _, consulService := range consulServices {
2015-11-26 02:23:47 +00:00
if _, ok := knownServices[consulService.ID]; !ok {
delete(c.serviceStates, consulService.ID)
c.printLogMessage("[INFO] consul: deregistering service %v with consul", consulService.Service)
2015-11-26 01:28:44 +00:00
c.deregisterService(consulService.ID)
2015-11-25 02:39:38 +00:00
}
}
2015-11-26 02:23:47 +00:00
// Remove checks that are not present anymore
2015-11-26 01:28:44 +00:00
for _, consulCheck := range consulChecks {
if _, ok := knownChecks[consulCheck.CheckID]; !ok {
c.deregisterCheck(consulCheck.CheckID)
2015-11-25 02:39:38 +00:00
}
}
2015-11-24 22:37:14 +00:00
}
2015-11-26 08:21:25 +00:00
// registerService registers a Service with Consul
2015-11-24 20:34:26 +00:00
func (c *ConsulService) registerService(service *structs.Service, task *structs.Task, allocID string) error {
var mErr multierror.Error
2015-11-25 02:39:38 +00:00
host, port := task.FindHostAndPortFor(service.PortLabel)
if host == "" || port == 0 {
return fmt.Errorf("consul: the port:%q marked for registration of service: %q couldn't be found", service.PortLabel, service.Name)
}
2015-11-26 01:28:44 +00:00
c.serviceStates[service.Id] = service.Hash()
asr := &consul.AgentServiceRegistration{
ID: service.Id,
Name: service.Name,
Tags: service.Tags,
Port: port,
Address: host,
}
2015-11-26 09:03:16 +00:00
if err := c.client.ServiceRegister(asr); err != nil {
c.printLogMessage("[DEBUG] consul: error while registering service %v with consul: %v", service.Name, err)
mErr.Errors = append(mErr.Errors, err)
}
2015-11-26 01:28:44 +00:00
for _, check := range service.Checks {
cr := c.makeCheck(service, check, host, port)
2015-11-26 01:28:44 +00:00
if err := c.registerCheck(cr); err != nil {
c.printLogMessage("[DEBUG] consul: error while registerting check %v with consul: %v", check.Name, err)
2015-11-23 07:27:59 +00:00
mErr.Errors = append(mErr.Errors, err)
}
2015-11-26 01:28:44 +00:00
2015-11-23 07:27:59 +00:00
}
return mErr.ErrorOrNil()
}
2015-11-26 08:21:25 +00:00
// registerCheck registers a check with Consul
2015-11-25 02:39:38 +00:00
func (c *ConsulService) registerCheck(check *consul.AgentCheckRegistration) error {
c.printLogMessage("[INFO] consul: registering check with ID: %v for service: %v", check.ID, check.ServiceID)
2015-11-26 09:03:16 +00:00
return c.client.CheckRegister(check)
2015-11-25 02:39:38 +00:00
}
2015-11-26 08:21:25 +00:00
// deregisterCheck de-registers a check with a specific ID from Consul
2015-11-25 02:39:38 +00:00
func (c *ConsulService) deregisterCheck(checkID string) error {
c.printLogMessage("[INFO] consul: removing check with ID: %v", checkID)
2015-11-26 09:03:16 +00:00
return c.client.CheckDeregister(checkID)
2015-11-25 02:39:38 +00:00
}
2015-11-26 08:21:25 +00:00
// deregisterService de-registers a Service with a specific id from Consul
2015-11-24 20:34:26 +00:00
func (c *ConsulService) deregisterService(serviceId string) error {
2015-11-26 01:28:44 +00:00
delete(c.serviceStates, serviceId)
2015-11-26 09:03:16 +00:00
if err := c.client.ServiceDeregister(serviceId); err != nil {
return err
}
return nil
}
2015-11-26 08:21:25 +00:00
// makeCheck creates a Consul Check Registration struct
2015-11-26 01:28:44 +00:00
func (c *ConsulService) makeCheck(service *structs.Service, check *structs.ServiceCheck, ip string, port int) *consul.AgentCheckRegistration {
cr := &consul.AgentCheckRegistration{
ID: check.Id,
2015-11-26 01:28:44 +00:00
Name: check.Name,
ServiceID: service.Id,
}
cr.Interval = check.Interval.String()
cr.Timeout = check.Timeout.String()
2015-11-26 02:31:11 +00:00
2015-11-26 01:28:44 +00:00
switch check.Type {
case structs.ServiceCheckHTTP:
if check.Protocol == "" {
check.Protocol = "http"
}
url := url.URL{
Scheme: check.Protocol,
Host: fmt.Sprintf("%s:%d", ip, port),
Path: check.Path,
}
cr.HTTP = url.String()
case structs.ServiceCheckTCP:
cr.TCP = fmt.Sprintf("%s:%d", ip, port)
case structs.ServiceCheckScript:
cr.Script = check.Script // TODO This needs to include the path of the alloc dir and based on driver types
}
return cr
2015-11-18 11:08:53 +00:00
}
2015-12-09 23:24:44 +00:00
// filterConsulServices prunes out all the service whose ids are not prefixed
// with nomad-
func (c *ConsulService) filterConsulServices(srvcs map[string]*consul.AgentService) map[string]*consul.AgentService {
nomadServices := make(map[string]*consul.AgentService)
delete(srvcs, "consul")
for _, srv := range srvcs {
2015-12-11 22:02:09 +00:00
if strings.HasPrefix(srv.ID, structs.NomadConsulPrefix) {
nomadServices[srv.ID] = srv
}
}
return nomadServices
}
// filterConsulChecks prunes out all the consul checks which do not have
// services with id prefixed with noamd-
func (c *ConsulService) filterConsulChecks(chks map[string]*consul.AgentCheck) map[string]*consul.AgentCheck {
nomadChecks := make(map[string]*consul.AgentCheck)
for _, chk := range chks {
2015-12-11 22:02:09 +00:00
if strings.HasPrefix(chk.ServiceID, structs.NomadConsulPrefix) {
nomadChecks[chk.CheckID] = chk
}
}
return nomadChecks
}
// printLogMessage prints log messages only when the node attributes have consul
// related information
func (c *ConsulService) printLogMessage(message string, v ...interface{}) {
2015-12-09 23:24:44 +00:00
if _, ok := c.node.Attributes["consul.version"]; ok {
c.logger.Printf(message, v)
}
}