CSI: use HTTP headers for passing CSI secrets (#12144)

This commit is contained in:
Tim Gross 2022-03-01 08:47:01 -05:00 committed by GitHub
parent a499401b34
commit c90e674918
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
9 changed files with 154 additions and 38 deletions

7
.changelog/12144.txt Normal file
View File

@ -0,0 +1,7 @@
```release-note:improvement
api: CSI secrets for list and delete snapshots are now passed in HTTP headers
```
```release-note:improvement
cli: CSI secrets argument for `volume snapshot list` has been made consistent with `volume snapshot delete`
```

View File

@ -62,6 +62,9 @@ type QueryOptions struct {
// Set HTTP parameters on the query. // Set HTTP parameters on the query.
Params map[string]string Params map[string]string
// Set HTTP headers on the query.
Headers map[string]string
// AuthToken is the secret ID of an ACL token // AuthToken is the secret ID of an ACL token
AuthToken string AuthToken string
@ -101,6 +104,9 @@ type WriteOptions struct {
// AuthToken is the secret ID of an ACL token // AuthToken is the secret ID of an ACL token
AuthToken string AuthToken string
// Set HTTP headers on the query.
Headers map[string]string
// ctx is an optional context pass through to the underlying HTTP // ctx is an optional context pass through to the underlying HTTP
// request layer. Use Context() and WithContext() to manage this. // request layer. Use Context() and WithContext() to manage this.
ctx context.Context ctx context.Context
@ -606,6 +612,10 @@ func (r *request) setQueryOptions(q *QueryOptions) {
r.params.Set(k, v) r.params.Set(k, v)
} }
r.ctx = q.Context() r.ctx = q.Context()
for k, v := range q.Headers {
r.header.Set(k, v)
}
} }
// durToMsec converts a duration to a millisecond specified string // durToMsec converts a duration to a millisecond specified string
@ -632,6 +642,10 @@ func (r *request) setWriteOptions(q *WriteOptions) {
r.params.Set("idempotency_token", q.IdempotencyToken) r.params.Set("idempotency_token", q.IdempotencyToken)
} }
r.ctx = q.Context() r.ctx = q.Context()
for k, v := range q.Headers {
r.header.Set(k, v)
}
} }
// toHTTP converts the request to an HTTP request // toHTTP converts the request to an HTTP request

View File

@ -4,6 +4,7 @@ import (
"fmt" "fmt"
"net/url" "net/url"
"sort" "sort"
"strings"
"time" "time"
) )
@ -129,13 +130,37 @@ func (v *CSIVolumes) DeleteSnapshot(snap *CSISnapshot, w *WriteOptions) error {
qp := url.Values{} qp := url.Values{}
qp.Set("snapshot_id", snap.ID) qp.Set("snapshot_id", snap.ID)
qp.Set("plugin_id", snap.PluginID) qp.Set("plugin_id", snap.PluginID)
for k, v := range snap.Secrets { w.SetHeadersFromCSISecrets(snap.Secrets)
qp.Set("secret", fmt.Sprintf("%v=%v", k, v))
}
_, err := v.client.delete("/v1/volumes/snapshot?"+qp.Encode(), nil, w) _, err := v.client.delete("/v1/volumes/snapshot?"+qp.Encode(), nil, w)
return err return err
} }
// ListSnapshotsOpts lists external storage volume snapshots.
func (v *CSIVolumes) ListSnapshotsOpts(req *CSISnapshotListRequest) (*CSISnapshotListResponse, *QueryMeta, error) {
var resp *CSISnapshotListResponse
qp := url.Values{}
if req.PluginID != "" {
qp.Set("plugin_id", req.PluginID)
}
if req.NextToken != "" {
qp.Set("next_token", req.NextToken)
}
if req.PerPage != 0 {
qp.Set("per_page", fmt.Sprint(req.PerPage))
}
req.QueryOptions.SetHeadersFromCSISecrets(req.Secrets)
qm, err := v.client.query("/v1/volumes/snapshot?"+qp.Encode(), &resp, &req.QueryOptions)
if err != nil {
return nil, nil, err
}
sort.Sort(CSISnapshotSort(resp.Snapshots))
return resp, qm, nil
}
// DEPRECATED: will be removed in Nomad 1.4.0
// ListSnapshots lists external storage volume snapshots. // ListSnapshots lists external storage volume snapshots.
func (v *CSIVolumes) ListSnapshots(pluginID string, secrets string, q *QueryOptions) (*CSISnapshotListResponse, *QueryMeta, error) { func (v *CSIVolumes) ListSnapshots(pluginID string, secrets string, q *QueryOptions) (*CSISnapshotListResponse, *QueryMeta, error) {
var resp *CSISnapshotListResponse var resp *CSISnapshotListResponse
@ -150,9 +175,6 @@ func (v *CSIVolumes) ListSnapshots(pluginID string, secrets string, q *QueryOpti
if q.PerPage != 0 { if q.PerPage != 0 {
qp.Set("per_page", fmt.Sprint(q.PerPage)) qp.Set("per_page", fmt.Sprint(q.PerPage))
} }
if secrets != "" {
qp.Set("secrets", secrets)
}
qm, err := v.client.query("/v1/volumes/snapshot?"+qp.Encode(), &resp, q) qm, err := v.client.query("/v1/volumes/snapshot?"+qp.Encode(), &resp, q)
if err != nil { if err != nil {
@ -206,6 +228,28 @@ type CSIMountOptions struct {
// API or in Nomad's logs. // API or in Nomad's logs.
type CSISecrets map[string]string type CSISecrets map[string]string
func (q *QueryOptions) SetHeadersFromCSISecrets(secrets CSISecrets) {
pairs := []string{}
for k, v := range secrets {
pairs = append(pairs, fmt.Sprintf("%v=%v", k, v))
}
if q.Headers == nil {
q.Headers = map[string]string{}
}
q.Headers["X-Nomad-CSI-Secrets"] = strings.Join(pairs, ",")
}
func (w *WriteOptions) SetHeadersFromCSISecrets(secrets CSISecrets) {
pairs := []string{}
for k, v := range secrets {
pairs = append(pairs, fmt.Sprintf("%v=%v", k, v))
}
if w.Headers == nil {
w.Headers = map[string]string{}
}
w.Headers["X-Nomad-CSI-Secrets"] = strings.Join(pairs, ",")
}
// CSIVolume is used for serialization, see also nomad/structs/csi.go // CSIVolume is used for serialization, see also nomad/structs/csi.go
type CSIVolume struct { type CSIVolume struct {
ID string ID string

View File

@ -304,13 +304,9 @@ func (s *HTTPServer) csiSnapshotDelete(resp http.ResponseWriter, req *http.Reque
query := req.URL.Query() query := req.URL.Query()
snap.PluginID = query.Get("plugin_id") snap.PluginID = query.Get("plugin_id")
snap.ID = query.Get("snapshot_id") snap.ID = query.Get("snapshot_id")
secrets := query["secret"]
for _, raw := range secrets { secrets := parseCSISecrets(req)
secret := strings.Split(raw, "=") snap.Secrets = secrets
if len(secret) == 2 {
snap.Secrets[secret[0]] = secret[1]
}
}
args.Snapshots = []*structs.CSISnapshot{snap} args.Snapshots = []*structs.CSISnapshot{snap}
@ -332,19 +328,9 @@ func (s *HTTPServer) csiSnapshotList(resp http.ResponseWriter, req *http.Request
query := req.URL.Query() query := req.URL.Query()
args.PluginID = query.Get("plugin_id") args.PluginID = query.Get("plugin_id")
querySecrets := query["secrets"]
// Parse comma separated secrets only when provided secrets := parseCSISecrets(req)
if len(querySecrets) >= 1 { args.Secrets = secrets
secrets := strings.Split(querySecrets[0], ",")
args.Secrets = make(structs.CSISecrets)
for _, raw := range secrets {
secret := strings.Split(raw, "=")
if len(secret) == 2 {
args.Secrets[secret[0]] = secret[1]
}
}
}
var out structs.CSISnapshotListResponse var out structs.CSISnapshotListResponse
if err := s.agent.RPC("CSIVolume.ListSnapshots", &args, &out); err != nil { if err := s.agent.RPC("CSIVolume.ListSnapshots", &args, &out); err != nil {
@ -419,6 +405,28 @@ func (s *HTTPServer) CSIPluginSpecificRequest(resp http.ResponseWriter, req *htt
return structsCSIPluginToApi(out.Plugin), nil return structsCSIPluginToApi(out.Plugin), nil
} }
// parseCSISecrets extracts a map of k/v pairs from the CSI secrets
// header. Silently ignores invalid secrets
func parseCSISecrets(req *http.Request) structs.CSISecrets {
secretsHeader := req.Header.Get("X-Nomad-CSI-Secrets")
if secretsHeader == "" {
return nil
}
secrets := map[string]string{}
secretkvs := strings.Split(secretsHeader, ",")
for _, secretkv := range secretkvs {
kv := strings.Split(secretkv, "=")
if len(kv) == 2 {
secrets[kv[0]] = kv[1]
}
}
if len(secrets) == 0 {
return nil
}
return structs.CSISecrets(secrets)
}
// structsCSIPluginToApi converts CSIPlugin, setting Expected the count of known plugin // structsCSIPluginToApi converts CSIPlugin, setting Expected the count of known plugin
// instances // instances
func structsCSIPluginToApi(plug *structs.CSIPlugin) *api.CSIPlugin { func structsCSIPluginToApi(plug *structs.CSIPlugin) *api.CSIPlugin {

View File

@ -44,6 +44,29 @@ func TestHTTP_CSIEndpointPlugin(t *testing.T) {
}) })
} }
func TestHTTP_CSIParseSecrets(t *testing.T) {
t.Parallel()
testCases := []struct {
val string
expect structs.CSISecrets
}{
{"", nil},
{"one", nil},
{"one,two", nil},
{"one,two=value_two",
structs.CSISecrets(map[string]string{"two": "value_two"})},
{"one=value_one,one=overwrite",
structs.CSISecrets(map[string]string{"one": "overwrite"})},
{"one=value_one,two=value_two",
structs.CSISecrets(map[string]string{"one": "value_one", "two": "value_two"})},
}
for _, tc := range testCases {
req, _ := http.NewRequest("GET", "/v1/plugin/csi/foo", nil)
req.Header.Add("X-Nomad-CSI-Secrets", tc.val)
require.Equal(t, tc.expect, parseCSISecrets(req), tc.val)
}
}
func TestHTTP_CSIEndpointUtils(t *testing.T) { func TestHTTP_CSIEndpointUtils(t *testing.T) {
secrets := structsCSISecretsToApi(structs.CSISecrets{ secrets := structsCSISecretsToApi(structs.CSISecrets{
"foo": "bar", "foo": "bar",

View File

@ -30,7 +30,7 @@ General Options:
Snapshot Options: Snapshot Options:
-secret -secret
Secrets to pass to the plugin to create the snapshot. Accepts multiple Secrets to pass to the plugin to delete the snapshot. Accepts multiple
flags in the form -secret key=value flags in the form -secret key=value
` `

View File

@ -9,6 +9,7 @@ import (
humanize "github.com/dustin/go-humanize" humanize "github.com/dustin/go-humanize"
"github.com/hashicorp/nomad/api" "github.com/hashicorp/nomad/api"
"github.com/hashicorp/nomad/api/contexts" "github.com/hashicorp/nomad/api/contexts"
flaghelper "github.com/hashicorp/nomad/helper/flags"
"github.com/pkg/errors" "github.com/pkg/errors"
"github.com/posener/complete" "github.com/posener/complete"
) )
@ -36,7 +37,9 @@ List Options:
-plugin: Display only snapshots managed by a particular plugin. By default -plugin: Display only snapshots managed by a particular plugin. By default
this command will query all plugins for their snapshots. this command will query all plugins for their snapshots.
-secrets: A set of key/value secrets to be used when listing snapshots. -secret
Secrets to pass to the plugin to list snapshots. Accepts multiple
flags in the form -secret key=value
` `
return strings.TrimSpace(helpText) return strings.TrimSpace(helpText)
} }
@ -70,13 +73,13 @@ func (c *VolumeSnapshotListCommand) Name() string { return "volume snapshot list
func (c *VolumeSnapshotListCommand) Run(args []string) int { func (c *VolumeSnapshotListCommand) Run(args []string) int {
var pluginID string var pluginID string
var verbose bool var verbose bool
var secrets string var secretsArgs flaghelper.StringFlag
flags := c.Meta.FlagSet(c.Name(), FlagSetClient) flags := c.Meta.FlagSet(c.Name(), FlagSetClient)
flags.Usage = func() { c.Ui.Output(c.Help()) } flags.Usage = func() { c.Ui.Output(c.Help()) }
flags.StringVar(&pluginID, "plugin", "", "") flags.StringVar(&pluginID, "plugin", "", "")
flags.BoolVar(&verbose, "verbose", false, "") flags.BoolVar(&verbose, "verbose", false, "")
flags.StringVar(&secrets, "secrets", "", "") flags.Var(&secretsArgs, "secret", "secrets for snapshot, ex. -secret key=value")
if err := flags.Parse(args); err != nil { if err := flags.Parse(args); err != nil {
c.Ui.Error(fmt.Sprintf("Error parsing arguments %s", err)) c.Ui.Error(fmt.Sprintf("Error parsing arguments %s", err))
@ -122,10 +125,22 @@ func (c *VolumeSnapshotListCommand) Run(args []string) int {
pluginID = plugs[0].ID pluginID = plugs[0].ID
} }
q := &api.QueryOptions{PerPage: 30} // TODO: tune page size secrets := api.CSISecrets{}
for _, kv := range secretsArgs {
s := strings.Split(kv, "=")
if len(s) == 2 {
secrets[s[0]] = s[1]
}
}
req := &api.CSISnapshotListRequest{
PluginID: pluginID,
Secrets: secrets,
QueryOptions: api.QueryOptions{PerPage: 30},
}
for { for {
resp, _, err := client.CSIVolumes().ListSnapshots(pluginID, secrets, q) resp, _, err := client.CSIVolumes().ListSnapshotsOpts(req)
if err != nil && !errors.Is(err, io.EOF) { if err != nil && !errors.Is(err, io.EOF) {
c.Ui.Error(fmt.Sprintf( c.Ui.Error(fmt.Sprintf(
"Error querying CSI external snapshots for plugin %q: %s", pluginID, err)) "Error querying CSI external snapshots for plugin %q: %s", pluginID, err))
@ -138,8 +153,8 @@ func (c *VolumeSnapshotListCommand) Run(args []string) int {
} }
c.Ui.Output(csiFormatSnapshots(resp.Snapshots, verbose)) c.Ui.Output(csiFormatSnapshots(resp.Snapshots, verbose))
q.NextToken = resp.NextToken req.NextToken = resp.NextToken
if q.NextToken == "" { if req.NextToken == "" {
break break
} }
// we can't know the shape of arbitrarily-sized lists of snapshots, // we can't know the shape of arbitrarily-sized lists of snapshots,

View File

@ -29,6 +29,11 @@ volume` and `plugin:read` capabilities.
@include 'general_options.mdx' @include 'general_options.mdx'
## Snapshot Delete Options
- `-secret`: Secrets to pass to the plugin to delete the
snapshot. Accepts multiple flags in the form `-secret key=value`
## Examples ## Examples
Delete a volume snapshot: Delete a volume snapshot:

View File

@ -27,7 +27,7 @@ Nomad.
@include 'general_options.mdx' @include 'general_options.mdx'
## List Options ## Snapshot List Options
- `-plugin`: Display only snapshots managed by a particular [CSI - `-plugin`: Display only snapshots managed by a particular [CSI
plugin][csi_plugin]. By default the `snapshot list` command will query all plugin][csi_plugin]. By default the `snapshot list` command will query all
@ -35,8 +35,8 @@ Nomad.
there is an exact match based on the provided plugin, then that specific there is an exact match based on the provided plugin, then that specific
plugin will be queried. Otherwise, a list of matching plugins will be plugin will be queried. Otherwise, a list of matching plugins will be
displayed. displayed.
- `-secrets`: A list of comma separated secret key/value pairs to be passed - `-secret`: Secrets to pass to the plugin to list snapshots. Accepts
to the CSI driver. multiple flags in the form `-secret key=value`
When ACLs are enabled, this command requires a token with the When ACLs are enabled, this command requires a token with the
`csi-list-volumes` capability for the plugin's namespace. `csi-list-volumes` capability for the plugin's namespace.
@ -54,7 +54,7 @@ snap-67890 vol-fedcba 50GiB 2021-01-04T15:45:00Z true
List volume snapshots with two secret key/value pairs: List volume snapshots with two secret key/value pairs:
```shell-session ```shell-session
$ nomad volume snapshot list -secrets key1=value1,key2=val2 $ nomad volume snapshot list -secret key1=value1 -secret key2=val2
Snapshot ID External ID Size Creation Time Ready? Snapshot ID External ID Size Creation Time Ready?
snap-12345 vol-abcdef 50GiB 2021-01-03T12:15:02Z true snap-12345 vol-abcdef 50GiB 2021-01-03T12:15:02Z true
``` ```
@ -62,4 +62,4 @@ snap-12345 vol-abcdef 50GiB 2021-01-03T12:15:02Z true
[csi]: https://github.com/container-storage-interface/spec [csi]: https://github.com/container-storage-interface/spec
[csi_plugin]: /docs/job-specification/csi_plugin [csi_plugin]: /docs/job-specification/csi_plugin
[registered]: /docs/commands/volume/register [registered]: /docs/commands/volume/register
[csi_plugins_internals]: /docs/internals/plugins/csi#csi-plugins [csi_plugins_internals]: /docs/internals/plugins/csi#csi-plugins