mirror of
https://github.com/kemko/nomad.git
synced 2026-01-03 08:55:43 +03:00
Some of our allocrunner hooks require a task environment for interpolating values based on the node or allocation. But several of the hooks accept an already-built environment or builder and then keep that in memory. Both of these retain a copy of all the node attributes and allocation metadata, which balloons memory usage until the allocation is GC'd. While we'd like to look into ways to avoid keeping the allocrunner around entirely (see #25372), for now we can significantly reduce memory usage by creating the task environment on-demand when calling allocrunner methods, rather than persisting it in the allocrunner hooks. In doing so, we uncover two other bugs: * The WID manager, the group service hook, and the checks hook have to interpolate services for specific tasks. They mutated a taskenv builder to do so, but each time they mutate the builder, they write to the same environment map. When a group has multiple tasks, it's possible for one task to set an environment variable that would then be interpolated in the service definition for another task if that task did not have that environment variable. Only the service definition interpolation is impacted. This does not leak env vars across running tasks, as each taskrunner has its own builder. To fix this, we move the `UpdateTask` method off the builder and onto the taskenv as the `WithTask` method. This makes a shallow copy of the taskenv with a deep clone of the environment map used for interpolation, and then overwrites the environment from the task. * The checks hook interpolates Nomad native service checks only on `Prerun` and not on `Update`. This could cause unexpected deregistration and registration of checks during in-place updates. To fix this, we make sure we interpolate in the `Update` method. I also bumped into an incorrectly implemented interface in the CSI hook. I've pulled that and some better guardrails out to https://github.com/hashicorp/nomad/pull/25472. Fixes: https://github.com/hashicorp/nomad/issues/25269 Fixes: https://hashicorp.atlassian.net/browse/NET-12310 Ref: https://github.com/hashicorp/nomad/issues/25372
304 lines
9.5 KiB
Go
304 lines
9.5 KiB
Go
// Copyright (c) HashiCorp, Inc.
|
|
// SPDX-License-Identifier: BUSL-1.1
|
|
|
|
package taskrunner
|
|
|
|
import (
|
|
"context"
|
|
"path/filepath"
|
|
"testing"
|
|
"time"
|
|
|
|
"github.com/hashicorp/nomad/ci"
|
|
"github.com/hashicorp/nomad/client/allocdir"
|
|
"github.com/hashicorp/nomad/client/allocrunner/interfaces"
|
|
trtesting "github.com/hashicorp/nomad/client/allocrunner/taskrunner/testing"
|
|
cstate "github.com/hashicorp/nomad/client/state"
|
|
"github.com/hashicorp/nomad/client/taskenv"
|
|
"github.com/hashicorp/nomad/client/widmgr"
|
|
"github.com/hashicorp/nomad/helper/testlog"
|
|
"github.com/hashicorp/nomad/nomad/mock"
|
|
"github.com/hashicorp/nomad/nomad/structs"
|
|
"github.com/hashicorp/nomad/testutil"
|
|
"github.com/shoenig/test/must"
|
|
)
|
|
|
|
var _ interfaces.TaskPrestartHook = (*identityHook)(nil)
|
|
var _ interfaces.TaskStopHook = (*identityHook)(nil)
|
|
var _ interfaces.ShutdownHook = (*identityHook)(nil)
|
|
|
|
// See task_runner_test.go:TestTaskRunner_IdentityHook
|
|
|
|
// MockTokenSetter is a mock implementation of tokenSetter which is satisfied
|
|
// by TaskRunner at runtime.
|
|
type MockTokenSetter struct {
|
|
defaultToken string
|
|
}
|
|
|
|
func (m *MockTokenSetter) setNomadToken(token string) {
|
|
m.defaultToken = token
|
|
}
|
|
|
|
// TestIdentityHook_RenewAll asserts token renewal happens when expected.
|
|
func TestIdentityHook_RenewAll(t *testing.T) {
|
|
ci.Parallel(t)
|
|
|
|
// TTL is used for expiration and the test will sleep this long before
|
|
// checking that tokens were rotated. Therefore the time must be long enough
|
|
// to generate new tokens. Since no Raft or IO (outside of potentially
|
|
// writing 1 token file) is performed, this should be relatively fast.
|
|
ttl := 3 * time.Second
|
|
|
|
node := mock.Node()
|
|
alloc := mock.Alloc()
|
|
alloc.NodeID = node.ID
|
|
task := alloc.LookupTask("web")
|
|
task.Identities = []*structs.WorkloadIdentity{
|
|
{
|
|
Name: "consul",
|
|
Audience: []string{"consul"},
|
|
Env: true,
|
|
TTL: ttl,
|
|
ChangeMode: "restart",
|
|
},
|
|
{
|
|
Name: "vault",
|
|
Audience: []string{"vault"},
|
|
File: true,
|
|
TTL: ttl,
|
|
ChangeMode: "signal",
|
|
ChangeSignal: "SIGHUP",
|
|
},
|
|
{
|
|
Name: "foo",
|
|
Audience: []string{"foo"},
|
|
File: true,
|
|
Filepath: "foo.jwt",
|
|
TTL: ttl,
|
|
},
|
|
}
|
|
|
|
mockTaskDir := &allocdir.TaskDir{
|
|
SecretsDir: t.TempDir(),
|
|
Dir: t.TempDir(),
|
|
}
|
|
|
|
mockTR := &MockTokenSetter{}
|
|
|
|
stopCtx, stop := context.WithCancel(context.Background())
|
|
t.Cleanup(stop)
|
|
|
|
// setup mock signer and WIDMgr
|
|
logger := testlog.HCLogger(t)
|
|
db := cstate.NewMemDB(logger)
|
|
mockSigner := widmgr.NewMockWIDSigner(task.Identities)
|
|
allocEnv := taskenv.NewBuilder(mock.Node(), alloc, nil, "global").Build()
|
|
|
|
mockWIDMgr := widmgr.NewWIDMgr(mockSigner, alloc, db, logger, allocEnv)
|
|
mockWIDMgr.SetMinWait(time.Second) // fast renewals, because the default is 10s
|
|
mockLifecycle := trtesting.NewMockTaskHooks()
|
|
|
|
h := &identityHook{
|
|
alloc: alloc,
|
|
task: task,
|
|
taskDir: mockTaskDir,
|
|
envBuilder: taskenv.NewBuilder(node, alloc, task, alloc.Job.Region),
|
|
ts: mockTR,
|
|
lifecycle: mockLifecycle,
|
|
widmgr: mockWIDMgr,
|
|
logger: testlog.HCLogger(t),
|
|
stopCtx: stopCtx,
|
|
stop: stop,
|
|
}
|
|
|
|
// do the initial renewal and start the loop
|
|
must.NoError(t, h.widmgr.Run())
|
|
|
|
start := time.Now()
|
|
must.NoError(t, h.Prestart(context.Background(), nil, nil))
|
|
env := h.envBuilder.Build().EnvMap
|
|
|
|
// Assert initial tokens were set in Prestart
|
|
must.Eq(t, alloc.SignedIdentities["web"], mockTR.defaultToken)
|
|
must.FileNotExists(t, filepath.Join(mockTaskDir.SecretsDir, wiTokenFile))
|
|
must.FileNotExists(t, filepath.Join(mockTaskDir.SecretsDir, "nomad_consul.jwt"))
|
|
must.MapContainsKey(t, env, "NOMAD_TOKEN_consul")
|
|
must.FileExists(t, filepath.Join(mockTaskDir.SecretsDir, "nomad_vault.jwt"))
|
|
// Assert foo token was written to correct directory
|
|
must.FileNotExists(t, filepath.Join(mockTaskDir.SecretsDir, "foo.jwt"))
|
|
must.FileExists(t, filepath.Join(mockTaskDir.Dir, "foo.jwt"))
|
|
|
|
origConsul := env["NOMAD_TOKEN_consul"]
|
|
origVault := testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt")
|
|
|
|
origFoo := testutil.MustReadFile(t, mockTaskDir.Dir, "foo.jwt")
|
|
|
|
// Tokens should be rotated by their expiration
|
|
wait := time.Until(start.Add(ttl))
|
|
h.logger.Trace("sleeping until expiration", "wait", wait)
|
|
time.Sleep(wait)
|
|
|
|
// Stop renewal before checking to ensure stopping works
|
|
must.NoError(t, h.Stop(context.Background(), nil, nil))
|
|
|
|
// Ensure change_mode operations occurred
|
|
select {
|
|
case <-mockLifecycle.RestartCh:
|
|
h.logger.Trace("restart happened")
|
|
case <-time.After(10 * time.Second):
|
|
t.Fatalf("timed out waiting for restart")
|
|
}
|
|
|
|
select {
|
|
case <-mockLifecycle.SignalCh:
|
|
h.logger.Trace("signal happened")
|
|
case <-time.After(10 * time.Second):
|
|
t.Fatalf("timed out waiting for restart")
|
|
}
|
|
|
|
newConsul := h.envBuilder.Build().EnvMap["NOMAD_TOKEN_consul"]
|
|
must.StrContains(t, newConsul, ".") // ensure new token is JWTish
|
|
must.NotEq(t, newConsul, origConsul)
|
|
|
|
newVault := testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt")
|
|
must.StrContains(t, string(newVault), ".") // ensure new token is JWTish
|
|
must.NotEq(t, newVault, origVault)
|
|
|
|
newFoo := testutil.MustReadFile(t, mockTaskDir.Dir, "foo.jwt")
|
|
must.StrContains(t, string(newFoo), ".")
|
|
must.NotEq(t, newFoo, origFoo)
|
|
|
|
// Assert Stop work. Tokens should not have changed.
|
|
time.Sleep(wait)
|
|
must.Eq(t, newConsul, h.envBuilder.Build().EnvMap["NOMAD_TOKEN_consul"])
|
|
must.Eq(t, newVault, testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt"))
|
|
}
|
|
|
|
// TestIdentityHook_RenewOne asserts token renewal only renews tokens with a TTL.
|
|
func TestIdentityHook_RenewOne(t *testing.T) {
|
|
ci.Parallel(t)
|
|
|
|
ttl := 3 * time.Second
|
|
|
|
node := mock.Node()
|
|
alloc := mock.Alloc()
|
|
alloc.NodeID = node.ID
|
|
alloc.SignedIdentities = map[string]string{"web": "does.not.matter"}
|
|
task := alloc.LookupTask("web")
|
|
task.Identities = []*structs.WorkloadIdentity{
|
|
{
|
|
Name: "consul",
|
|
Audience: []string{"consul"},
|
|
Env: true,
|
|
},
|
|
{
|
|
Name: "vault",
|
|
Audience: []string{"vault"},
|
|
File: true,
|
|
TTL: ttl,
|
|
},
|
|
}
|
|
|
|
mockTaskDir := &allocdir.TaskDir{
|
|
SecretsDir: t.TempDir(),
|
|
}
|
|
|
|
mockTR := &MockTokenSetter{}
|
|
|
|
stopCtx, stop := context.WithCancel(context.Background())
|
|
t.Cleanup(stop)
|
|
|
|
// setup mock signer and WIDMgr
|
|
logger := testlog.HCLogger(t)
|
|
db := cstate.NewMemDB(logger)
|
|
mockSigner := widmgr.NewMockWIDSigner(task.Identities)
|
|
allocEnv := taskenv.NewBuilder(mock.Node(), alloc, nil, "global").Build()
|
|
mockWIDMgr := widmgr.NewWIDMgr(mockSigner, alloc, db, logger, allocEnv)
|
|
mockWIDMgr.SetMinWait(time.Second) // fast renewals, because the default is 10s
|
|
|
|
h := &identityHook{
|
|
alloc: alloc,
|
|
task: task,
|
|
taskDir: mockTaskDir,
|
|
envBuilder: taskenv.NewBuilder(node, alloc, task, alloc.Job.Region),
|
|
ts: mockTR,
|
|
widmgr: mockWIDMgr,
|
|
logger: testlog.HCLogger(t),
|
|
stopCtx: stopCtx,
|
|
stop: stop,
|
|
}
|
|
|
|
// do the initial renewal and start the loop
|
|
must.NoError(t, h.widmgr.Run())
|
|
|
|
start := time.Now()
|
|
must.NoError(t, h.Prestart(context.Background(), nil, nil))
|
|
time.Sleep(time.Second) // goroutines in the Prestart hook must run first before we Build the EnvMap
|
|
env := h.envBuilder.Build().EnvMap
|
|
|
|
// Assert initial tokens were set in Prestart
|
|
must.Eq(t, alloc.SignedIdentities["web"], mockTR.defaultToken)
|
|
must.FileNotExists(t, filepath.Join(mockTaskDir.SecretsDir, wiTokenFile))
|
|
must.FileNotExists(t, filepath.Join(mockTaskDir.SecretsDir, "nomad_consul.jwt"))
|
|
must.MapContainsKey(t, env, "NOMAD_TOKEN_consul")
|
|
must.FileExists(t, filepath.Join(mockTaskDir.SecretsDir, "nomad_vault.jwt"))
|
|
|
|
origConsul := env["NOMAD_TOKEN_consul"]
|
|
origVault := testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt")
|
|
|
|
// One token should be rotated by their expiration
|
|
wait := time.Until(start.Add(ttl))
|
|
h.logger.Trace("sleeping until expiration", "wait", wait)
|
|
time.Sleep(wait)
|
|
|
|
// Stop renewal before checking to ensure stopping works
|
|
must.NoError(t, h.Stop(context.Background(), nil, nil))
|
|
time.Sleep(time.Second) // Stop is async so give renewal time to exit
|
|
|
|
newConsul := h.envBuilder.Build().EnvMap["NOMAD_TOKEN_consul"]
|
|
must.StrContains(t, newConsul, ".") // ensure new token is JWTish
|
|
must.Eq(t, newConsul, origConsul)
|
|
|
|
newVault := testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt")
|
|
must.StrContains(t, string(newVault), ".") // ensure new token is JWTish
|
|
must.NotEq(t, newVault, origVault)
|
|
|
|
// Assert Stop work. Tokens should not have changed.
|
|
time.Sleep(wait)
|
|
must.Eq(t, newConsul, h.envBuilder.Build().EnvMap["NOMAD_TOKEN_consul"])
|
|
must.Eq(t, newVault, testutil.MustReadFile(t, mockTaskDir.SecretsDir, "nomad_vault.jwt"))
|
|
}
|
|
|
|
// TestIdentityHook_ErrorWriting assert Prestart returns an error if the
|
|
// default token could not be written when requested.
|
|
func TestIdentityHook_ErrorWriting(t *testing.T) {
|
|
ci.Parallel(t)
|
|
|
|
alloc := mock.Alloc()
|
|
alloc.SignedIdentities = map[string]string{"web": "does.not.need.to.be.valid"}
|
|
task := alloc.LookupTask("web")
|
|
task.Identity.File = true
|
|
node := mock.Node()
|
|
stopCtx, stop := context.WithCancel(context.Background())
|
|
t.Cleanup(stop)
|
|
|
|
mockTaskDir := &allocdir.TaskDir{
|
|
SecretsDir: "/this-should-not-exist",
|
|
}
|
|
|
|
h := &identityHook{
|
|
alloc: alloc,
|
|
task: task,
|
|
taskDir: mockTaskDir,
|
|
envBuilder: taskenv.NewBuilder(node, alloc, task, alloc.Job.Region),
|
|
ts: &MockTokenSetter{},
|
|
logger: testlog.HCLogger(t),
|
|
stopCtx: stopCtx,
|
|
stop: stop,
|
|
}
|
|
|
|
// Prestart should fail when trying to write the default identity file
|
|
err := h.Prestart(context.Background(), nil, nil)
|
|
must.ErrorContains(t, err, "failed to write nomad token")
|
|
}
|