Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat!: store all 1password secrets in a single entry #1954

Merged
merged 5 commits into from
Jul 12, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion cmd/ftl/main.go
Original file line number Diff line number Diff line change
Expand Up @@ -123,7 +123,7 @@ func main() {
ctx = cf.ContextWithConfig(ctx, cm)

// Add secrets manager to context.
sm, err := cf.NewSecretsManager(ctx, sr, cli.Vault)
sm, err := cf.NewSecretsManager(ctx, sr, cli.Vault, configPath)
if err != nil {
kctx.Fatalf(err.Error())
}
Expand Down
79 changes: 50 additions & 29 deletions common/configuration/1password_provider.go
Original file line number Diff line number Diff line change
Expand Up @@ -19,7 +19,8 @@ import (
// OnePasswordProvider is a configuration provider that reads passwords from
// 1Password vaults via the "op" command line tool.
type OnePasswordProvider struct {
Vault string
Vault string
ProjectName string
}

func (OnePasswordProvider) Role() Secrets { return Secrets{} }
Expand All @@ -28,21 +29,25 @@ func (o OnePasswordProvider) Delete(ctx context.Context, ref Ref) error {
return nil
}

func (o OnePasswordProvider) itemName() string {
return o.ProjectName + ".secrets"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Does this need the "ftl." + prefix, or does that get added somewhere else?

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I moved away from the ftl. prefix, but i hadn't updated the documentation. good catch!

}

// Load returns the secret stored in 1password.
func (o OnePasswordProvider) Load(ctx context.Context, ref Ref, key *url.URL) ([]byte, error) {
if err := checkOpBinary(); err != nil {
return nil, err
}

vault := key.Host
full, err := getItem(ctx, vault, ref)
full, err := o.getItem(ctx, vault)
if err != nil {
return nil, fmt.Errorf("get item failed: %w", err)
}

secret, ok := full.password()
secret, ok := full.value(ref)
if !ok {
return nil, fmt.Errorf("password field not found in item %q", ref)
return nil, fmt.Errorf("field %q not found in 1Password item %q: %v", ref, o.itemName(), full.Fields)
}

return secret, nil
Expand All @@ -67,19 +72,18 @@ func (o OnePasswordProvider) Store(ctx context.Context, ref Ref, value []byte) (

url := &url.URL{Scheme: "op", Host: o.Vault}

_, err := getItem(ctx, o.Vault, ref)
// make sure item exists
_, err := o.getItem(ctx, o.Vault)
if errors.As(err, new(itemNotFoundError)) {
err = createItem(ctx, o.Vault, ref, value)
err = o.createItem(ctx, o.Vault)
if err != nil {
return nil, fmt.Errorf("create item failed: %w", err)
}
return url, nil

} else if err != nil {
return nil, fmt.Errorf("get item failed: %w", err)
}

err = editItem(ctx, o.Vault, ref, value)
err = o.storeSecret(ctx, o.Vault, ref, value)
if err != nil {
return nil, fmt.Errorf("edit item failed: %w", err)
}
Expand All @@ -97,11 +101,11 @@ func checkOpBinary() error {

type itemNotFoundError struct {
vault string
ref Ref
name string
}

func (e itemNotFoundError) Error() string {
return fmt.Sprintf("item %q not found in vault %q", e.ref, e.vault)
return fmt.Sprintf("item %q not found in vault %q", e.name, e.vault)
}

// item is the JSON response from `op item get`.
Expand All @@ -110,22 +114,26 @@ type item struct {
}

type entry struct {
ID string `json:"id"`
Label string `json:"label"`
Value string `json:"value"`
}

func (i item) password() ([]byte, bool) {
func (i item) value(ref Ref) ([]byte, bool) {
secret, ok := slices.Find(i.Fields, func(item entry) bool {
return item.ID == "password"
return item.Label == ref.String()
})
return []byte(secret.Value), ok
}

// op --format json item get --vault Personal "With Spaces"
func getItem(ctx context.Context, vault string, ref Ref) (*item, error) {
// getItem gets the single 1Password item for all project secrets
// op --format json item get --vault Personal "projectname.secrets"
func (o OnePasswordProvider) getItem(ctx context.Context, vault string) (*item, error) {
logger := log.FromContext(ctx)

args := []string{"--format", "json", "item", "get", "--vault", vault, ref.String()}
args := []string{
"item", "get", o.itemName(),
"--vault", vault,
"--format", "json",
}
output, err := exec.Capture(ctx, ".", "op", args...)
logger.Debugf("Getting item with args %s", shellquote.Join(args...))
if err != nil {
Expand All @@ -136,10 +144,10 @@ func getItem(ctx context.Context, vault string, ref Ref) (*item, error) {

// Item not found, seen two ways of reporting this:
if strings.Contains(string(output), "not found in vault") {
return nil, itemNotFoundError{vault, ref}
return nil, itemNotFoundError{vault, o.itemName()}
}
if strings.Contains(string(output), "isn't an item") {
return nil, itemNotFoundError{vault, ref}
return nil, itemNotFoundError{vault, o.itemName()}
}

return nil, fmt.Errorf("run `op` with args %s: %w", shellquote.Join(args...), err)
Expand All @@ -152,24 +160,37 @@ func getItem(ctx context.Context, vault string, ref Ref) (*item, error) {
return &full, nil
}

// op item create --category Password --vault FTL --title mod.ule "password=val ue"
func createItem(ctx context.Context, vault string, ref Ref, secret []byte) error {
args := []string{"item", "create", "--category", "Password", "--vault", vault, "--title", ref.String(), "password=" + string(secret)}
// createItem creates an empty item in the vault based on the project name
// op item create --category Password --vault FTL --title projectname.secrets
func (o OnePasswordProvider) createItem(ctx context.Context, vault string) error {
args := []string{
"item", "create",
"--category", "Password",
"--vault", vault,
"--title", o.itemName(),
}
_, err := exec.Capture(ctx, ".", "op", args...)
if err != nil {
return fmt.Errorf("create item failed in vault %q, ref %q: %w", vault, ref, err)
return fmt.Errorf("create item failed in vault %q: %w", vault, err)
}

return nil
}

// op item edit --vault ftl test "password=with space"
func editItem(ctx context.Context, vault string, ref Ref, secret []byte) error {
args := []string{"item", "edit", "--vault", vault, ref.String(), "password=" + string(secret)}
// op item edit 'projectname.secrets' 'module.secretname[password]=value with space'
func (o OnePasswordProvider) storeSecret(ctx context.Context, vault string, ref Ref, secret []byte) error {
module, ok := ref.Module.Get()
if !ok {
return fmt.Errorf("module is required for secret: %v", ref)
}
args := []string{
"item", "edit", o.itemName(),
"--vault", vault,
fmt.Sprintf("username[text]=%s", defaultSecretModificationWarning),
fmt.Sprintf("%s\\.%s[password]=%s", module, ref.Name, string(secret)),
}
_, err := exec.Capture(ctx, ".", "op", args...)
if err != nil {
return fmt.Errorf("edit item failed in vault %q, ref %q: %w", vault, ref, err)
}

return nil
}
54 changes: 40 additions & 14 deletions common/configuration/1password_provider_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -8,21 +8,37 @@ package configuration

import (
"context"
"encoding/json"
"fmt"
"testing"

"github.com/alecthomas/assert/v2"
"github.com/alecthomas/types/optional"

"github.com/TBD54566975/ftl/internal/exec"
"github.com/TBD54566975/ftl/internal/log"
)

const vault = "ftl-test"
const module = "test.module"

func createVault(ctx context.Context) error {
args := []string{"vault", "create", vault}
_, err := exec.Capture(ctx, ".", "op", args...)
return err
func createVault(ctx context.Context) (string, error) {
args := []string{
"vault", "create", vault,
"--format", "json",
}
output, err := exec.Capture(ctx, ".", "op", args...)
if err != nil {
return "", err
}
var parsed map[string]any
if err := json.Unmarshal(output, &parsed); err != nil {
return "", fmt.Errorf("could not decode 1Password create vault response: %w", err)
}
id, ok := parsed["id"].(string)
if !ok {
return "", fmt.Errorf("could not find id in 1Password create vault response: %w", err)
}
return id, nil
}

func clean(ctx context.Context) bool {
Expand All @@ -42,33 +58,43 @@ func Test1PasswordProvider(t *testing.T) {
}
})

err := createVault(ctx)
vauldId, err := createVault(ctx)
assert.NoError(t, err)

_, err = getItem(ctx, vault, Ref{Name: module})
provider := OnePasswordProvider{
ProjectName: "unittest",
Vault: vauldId,
}

_, err = provider.getItem(ctx, vault)
assert.Error(t, err)

var pw1 = []byte("hunter1")
var pw2 = []byte(`{
"user": "root",
"password": "hunter🪤"
"password": "hun\\ter🪤"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

hehehe nice!

}`)

err = createItem(ctx, vault, Ref{Name: module}, pw1)
ref := Ref{Module: optional.Some("mod"), Name: "example"}

err = provider.createItem(ctx, vault)
assert.NoError(t, err)

err = provider.storeSecret(ctx, vault, ref, pw1)
assert.NoError(t, err)

value, err := getItem(ctx, vault, Ref{Name: module})
item, err := provider.getItem(ctx, vault)
assert.NoError(t, err)
secret, ok := value.password()
secret, ok := item.value(ref)
assert.True(t, ok)
assert.Equal(t, pw1, secret)

err = editItem(ctx, vault, Ref{Name: module}, pw2)
err = provider.storeSecret(ctx, vault, ref, pw2)
assert.NoError(t, err)

value, err = getItem(ctx, vault, Ref{Name: module})
item, err = provider.getItem(ctx, vault)
assert.NoError(t, err)
secret, ok = value.password()
secret, ok = item.value(ref)
assert.True(t, ok)
assert.Equal(t, pw2, secret)
}
14 changes: 12 additions & 2 deletions common/configuration/defaults.go
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,9 @@ package configuration

import (
"context"
"fmt"

"github.com/TBD54566975/ftl/common/projectconfig"
)

// NewConfigurationManager creates a new configuration manager with the default configuration providers.
Expand All @@ -13,11 +16,18 @@ func NewConfigurationManager(ctx context.Context, router Router[Configuration])
}

// NewSecretsManager creates a new secrets manager with the default secret providers.
func NewSecretsManager(ctx context.Context, router Router[Secrets], opVault string) (*Manager[Secrets], error) {
func NewSecretsManager(ctx context.Context, router Router[Secrets], opVault string, config string) (*Manager[Secrets], error) {
projectConfig, err := projectconfig.Load(ctx, config)
if err != nil {
return nil, fmt.Errorf("could not load project config for secrets manager: %w", err)
}
return New(ctx, router, []Provider[Secrets]{
InlineProvider[Secrets]{},
EnvarProvider[Secrets]{},
KeychainProvider{},
OnePasswordProvider{Vault: opVault},
OnePasswordProvider{
Vault: opVault,
ProjectName: projectConfig.Name,
},
})
}
2 changes: 1 addition & 1 deletion common/configuration/manager.go
Original file line number Diff line number Diff line change
Expand Up @@ -51,7 +51,7 @@ func ConfigFromEnvironment() []string {
// the project config found in the config paths.
func NewDefaultSecretsManagerFromConfig(ctx context.Context, config string, opVault string) (*Manager[Secrets], error) {
var cr Router[Secrets] = ProjectConfigResolver[Secrets]{Config: config}
return NewSecretsManager(ctx, cr, opVault)
return NewSecretsManager(ctx, cr, opVault, config)
}

// NewDefaultConfigurationManagerFromConfig creates a new configuration manager from
Expand Down
1 change: 1 addition & 0 deletions go-runtime/ftl/ftl_integration_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -13,6 +13,7 @@ import (
)

func TestLifecycle(t *testing.T) {
t.Skip("ftl init is currently broken due to requirement of project toml existing")
in.Run(t, "",
in.GitInit(),
in.Exec("rm", "ftl-project.toml"),
Expand Down
Loading