2015-02-22 00:13:28 +01:00
|
|
|
package remote
|
|
|
|
|
|
|
|
import (
|
|
|
|
"crypto/md5"
|
|
|
|
"fmt"
|
2015-12-04 14:15:18 +01:00
|
|
|
"strings"
|
2015-02-22 00:13:28 +01:00
|
|
|
|
|
|
|
consulapi "github.com/hashicorp/consul/api"
|
|
|
|
)
|
|
|
|
|
|
|
|
func consulFactory(conf map[string]string) (Client, error) {
|
|
|
|
path, ok := conf["path"]
|
|
|
|
if !ok {
|
|
|
|
return nil, fmt.Errorf("missing 'path' configuration")
|
|
|
|
}
|
|
|
|
|
|
|
|
config := consulapi.DefaultConfig()
|
|
|
|
if token, ok := conf["access_token"]; ok && token != "" {
|
|
|
|
config.Token = token
|
|
|
|
}
|
|
|
|
if addr, ok := conf["address"]; ok && addr != "" {
|
|
|
|
config.Address = addr
|
|
|
|
}
|
2015-03-17 22:08:22 +01:00
|
|
|
if scheme, ok := conf["scheme"]; ok && scheme != "" {
|
|
|
|
config.Scheme = scheme
|
|
|
|
}
|
2015-12-04 14:15:18 +01:00
|
|
|
if auth, ok := conf["http_auth"]; ok && auth != "" {
|
|
|
|
var username, password string
|
|
|
|
if strings.Contains(auth, ":") {
|
|
|
|
split := strings.SplitN(auth, ":", 2)
|
|
|
|
username = split[0]
|
|
|
|
password = split[1]
|
|
|
|
} else {
|
|
|
|
username = auth
|
|
|
|
}
|
|
|
|
config.HttpAuth = &consulapi.HttpBasicAuth{username, password}
|
|
|
|
}
|
2015-02-22 00:13:28 +01:00
|
|
|
|
|
|
|
client, err := consulapi.NewClient(config)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
return &ConsulClient{
|
|
|
|
Client: client,
|
|
|
|
Path: path,
|
|
|
|
}, nil
|
|
|
|
}
|
|
|
|
|
2015-02-22 00:14:43 +01:00
|
|
|
// ConsulClient is a remote client that stores data in Consul.
|
2015-02-22 00:13:28 +01:00
|
|
|
type ConsulClient struct {
|
|
|
|
Client *consulapi.Client
|
|
|
|
Path string
|
|
|
|
}
|
|
|
|
|
|
|
|
func (c *ConsulClient) Get() (*Payload, error) {
|
|
|
|
pair, _, err := c.Client.KV().Get(c.Path, nil)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
if pair == nil {
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
md5 := md5.Sum(pair.Value)
|
|
|
|
return &Payload{
|
|
|
|
Data: pair.Value,
|
|
|
|
MD5: md5[:],
|
|
|
|
}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (c *ConsulClient) Put(data []byte) error {
|
|
|
|
kv := c.Client.KV()
|
|
|
|
_, err := kv.Put(&consulapi.KVPair{
|
|
|
|
Key: c.Path,
|
|
|
|
Value: data,
|
|
|
|
}, nil)
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
func (c *ConsulClient) Delete() error {
|
|
|
|
kv := c.Client.KV()
|
|
|
|
_, err := kv.Delete(c.Path, nil)
|
|
|
|
return err
|
|
|
|
}
|