-
Notifications
You must be signed in to change notification settings - Fork 2k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
DO NOT MERGE: implement support for connect native
- Loading branch information
Showing
11 changed files
with
333 additions
and
42 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,208 @@ | ||
package taskrunner | ||
|
||
import ( | ||
"context" | ||
"fmt" | ||
"io" | ||
"io/ioutil" | ||
"os" | ||
"path/filepath" | ||
|
||
hclog "github.com/hashicorp/go-hclog" | ||
ifs "github.com/hashicorp/nomad/client/allocrunner/interfaces" | ||
"github.com/hashicorp/nomad/nomad/structs" | ||
"github.com/hashicorp/nomad/nomad/structs/config" | ||
"github.com/pkg/errors" | ||
) | ||
|
||
const ( | ||
connectNativeHookName = "connect_native" | ||
) | ||
|
||
type connectNativeHookConfig struct { | ||
consul consulTransportConfig | ||
alloc *structs.Allocation | ||
logger hclog.Logger | ||
} | ||
|
||
func newConnectNativeHookConfig(alloc *structs.Allocation, consul *config.ConsulConfig, logger hclog.Logger) *connectNativeHookConfig { | ||
return &connectNativeHookConfig{ | ||
alloc: alloc, | ||
logger: logger, | ||
consul: newConsulTransportConfig(consul), | ||
} | ||
} | ||
|
||
// connectNativeHook manages additional automagic configuration for a connect | ||
// native task. | ||
// | ||
// If nomad client is configured to talk to Consul using TLS (or other special | ||
// auth), the native task will inherit that configuration EXCEPT for the consul | ||
// token. | ||
// | ||
// If consul is configured with ACLs enabled, a Service Identity token will be | ||
// generated on behalf of the native service and supplied to the task. | ||
type connectNativeHook struct { | ||
// alloc is the allocation with the connect native task being run | ||
alloc *structs.Allocation | ||
|
||
// consulConfig is used to enable the connect native enabled task to | ||
// communicate with consul directly, as is necessary for the task to request | ||
// its connect mTLS certificates. | ||
consulConfig consulTransportConfig | ||
|
||
// logger is used to log things | ||
logger hclog.Logger | ||
} | ||
|
||
func newConnectNativeHook(c *connectNativeHookConfig) *connectNativeHook { | ||
return &connectNativeHook{ | ||
alloc: c.alloc, | ||
consulConfig: c.consul, | ||
logger: c.logger.Named(connectNativeHookName), | ||
} | ||
} | ||
|
||
func (connectNativeHook) Name() string { | ||
return connectNativeHookName | ||
} | ||
|
||
func (h *connectNativeHook) Prestart( | ||
ctx context.Context, | ||
request *ifs.TaskPrestartRequest, | ||
response *ifs.TaskPrestartResponse) error { | ||
|
||
if !request.Task.Kind.IsConnectNative() { | ||
response.Done = true | ||
return nil | ||
} | ||
|
||
// copy TLS certificates | ||
if err := h.copyCertificates(h.consulConfig, request.TaskDir.SecretsDir); err != nil { | ||
h.logger.Error("failed to copy Consul TLS certificates", "error", err) | ||
return err | ||
} | ||
|
||
// set environment variables for communicating with Consul agent | ||
response.Env = h.tlsEnv() | ||
if err := h.maybeSetSITokenEnv(request.TaskDir.SecretsDir, request.Task.Name, response.Env); err != nil { | ||
h.logger.Error("failed to load Consul Service Identity Token", "error", err, "task", request.Task.Name) | ||
return err | ||
} | ||
fmt.Println("response.Env:", response.Env) | ||
|
||
// tls/acl setup for native task done | ||
response.Done = true | ||
return nil | ||
} | ||
|
||
const ( | ||
secretCAFilename = "consul_ca_file" | ||
secretCertfileFilename = "consul_cert_file" | ||
secretKeyfileFilename = "consul_key_file" | ||
) | ||
|
||
func (h *connectNativeHook) copyCertificates(consulConfig consulTransportConfig, dir string) error { | ||
if err := h.copyCertificate(consulConfig.CAFile, dir, secretCAFilename); err != nil { | ||
return err | ||
} | ||
if err := h.copyCertificate(consulConfig.CertFile, dir, secretCertfileFilename); err != nil { | ||
return err | ||
} | ||
if err := h.copyCertificate(consulConfig.KeyFile, dir, secretKeyfileFilename); err != nil { | ||
return err | ||
} | ||
return nil | ||
} | ||
|
||
func (connectNativeHook) copyCertificate(source, dir, name string) error { | ||
if source == "" { | ||
return nil | ||
} | ||
|
||
original, err := os.Open(source) | ||
if err != nil { | ||
return errors.Wrap(err, "failed to open consul TLS certificate") | ||
} | ||
defer original.Close() | ||
|
||
destination := filepath.Join(dir, name) | ||
fd, err := os.Create(destination) | ||
if err != nil { | ||
return errors.Wrapf(err, "failed to create secrets/%s", name) | ||
} | ||
defer fd.Close() | ||
|
||
if _, err := io.Copy(fd, original); err != nil { | ||
return errors.Wrapf(err, "failed to copy certificate secrets/%s", name) | ||
} | ||
|
||
if err := fd.Sync(); err != nil { | ||
return errors.Wrapf(err, "failed to write secrets/%s", name) | ||
} | ||
|
||
return nil | ||
} | ||
|
||
// tlsEnv creates a set of additional of environment variables to be used when launching | ||
// the connect native task. This will enable the task to communicate with Consul | ||
// if Consul has transport security turned on. | ||
// | ||
// We do NOT set CONSUL_HTTP_TOKEN from the nomad agent's consul config, as that | ||
// is a separate security concern addressed by the service identity hook. | ||
func (h *connectNativeHook) tlsEnv() map[string]string { | ||
|
||
// todo: maybeLoadSIToken references req.TaskDir.SecretsDir, can we do the same? | ||
// probably no - this is referenced by the the task, the envoy version only | ||
// needs the file in the context of the envoy bootstrap command, which runs | ||
// on the host | ||
|
||
m := make(map[string]string) | ||
|
||
if h.consulConfig.CAFile != "" { | ||
m["CONSUL_CACERT"] = filepath.Join("/secrets", secretCAFilename) | ||
} | ||
|
||
if h.consulConfig.CertFile != "" { | ||
m["CONSUL_CLIENT_CERT"] = filepath.Join("/secrets", secretCertfileFilename) | ||
} | ||
|
||
if h.consulConfig.KeyFile != "" { | ||
m["CONSUL_CLIENT_KEY"] = filepath.Join("/secrets", secretKeyfileFilename) | ||
} | ||
|
||
if v := h.consulConfig.Auth; v != "" { | ||
m["CONSUL_HTTP_AUTH"] = v | ||
} | ||
if v := h.consulConfig.SSL; v != "" { | ||
m["CONSUL_HTTP_SSL"] = v | ||
} | ||
if v := h.consulConfig.VerifySSL; v != "" { | ||
m["CONSUL_HTTP_SSL_VERIFY"] = v | ||
} | ||
|
||
return m | ||
} | ||
|
||
// maybeSetSITokenEnv will set the CONSUL_HTTP_TOKEN environment variable in | ||
// the given env map, if the token is found to exist in the task's secrets | ||
// directory. | ||
// | ||
// Following the pattern of the envoy_bootstrap_hook, the Consul Service Identity | ||
// ACL Token is generated prior to this hook, if Consul ACLs are enabled. This is | ||
// done in the sids_hook, which places the token at secrets/si_token in the task | ||
// workspace. The content of that file is the SI token specific to this task | ||
// instance. | ||
func (h *connectNativeHook) maybeSetSITokenEnv(dir, task string, env map[string]string) error { | ||
token, err := ioutil.ReadFile(filepath.Join(dir, sidsTokenFile)) | ||
if err != nil { | ||
if !os.IsNotExist(err) { | ||
return errors.Wrapf(err, "failed to load SI token for native task %s", task) | ||
} | ||
h.logger.Trace("no SI token to load for native task", "task", task) | ||
return nil // token file DNE; acls not enabled | ||
} | ||
h.logger.Trace("recovered pre-existing SI token for native task", "task", task) | ||
env["CONSUL_HTTP_TOKEN"] = string(token) | ||
return nil | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,60 @@ | ||
package taskrunner | ||
|
||
import ( | ||
"io/ioutil" | ||
"os" | ||
"path/filepath" | ||
"testing" | ||
|
||
"github.com/stretchr/testify/require" | ||
) | ||
|
||
func TestConnectNativeHook_Name(t *testing.T) { | ||
t.Parallel() | ||
name := new(connectNativeHook).Name() | ||
require.Equal(t, "connect_native", name) | ||
} | ||
|
||
func setupCertDirs(t *testing.T) (string, string) { | ||
fd, err := ioutil.TempFile("", "connect_native_testcert") | ||
require.NoError(t, err) | ||
_, err = fd.WriteString("ABCDEF") | ||
require.NoError(t, err) | ||
err = fd.Close() | ||
require.NoError(t, err) | ||
|
||
d, err := ioutil.TempDir("", "connect_native_testsecrets") | ||
require.NoError(t, err) | ||
return fd.Name(), d | ||
} | ||
|
||
func cleanupCertDirs(t *testing.T, original, secrets string) { | ||
err := os.Remove(original) | ||
require.NoError(t, err) | ||
err = os.RemoveAll(secrets) | ||
require.NoError(t, err) | ||
} | ||
|
||
func TestConnectNativeHook_copyCertificate(t *testing.T) { | ||
t.Parallel() | ||
|
||
f, d := setupCertDirs(t) | ||
defer cleanupCertDirs(t, f, d) | ||
|
||
t.Run("no source", func(t *testing.T) { | ||
err := new(connectNativeHook).copyCertificate("", d, "out.pem") | ||
require.NoError(t, err) | ||
}) | ||
|
||
t.Run("normal", func(t *testing.T) { | ||
err := new(connectNativeHook).copyCertificate(f, d, "out.pem") | ||
require.NoError(t, err) | ||
b, err := ioutil.ReadFile(filepath.Join(d, "out.pem")) | ||
require.NoError(t, err) | ||
require.Equal(t, "ABCDEF", string(b)) | ||
}) | ||
} | ||
|
||
func TestConnectNativeHook_copyCertificates(t *testing.T) { | ||
t.Parallel() | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.