-
Notifications
You must be signed in to change notification settings - Fork 0
/
credentials.go
509 lines (455 loc) · 14.9 KB
/
credentials.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
// Copyright 2016 Canonical Ltd.
// Licensed under the AGPLv3, see LICENCE file for details.
package cloud
import (
"fmt"
"os"
"strings"
"github.com/juju/errors"
"github.com/juju/schema"
"github.com/juju/utils/v2"
"gopkg.in/juju/environschema.v1"
"gopkg.in/yaml.v2"
)
// CloudCredential contains attributes used to define credentials for a cloud.
type CloudCredential struct {
// DefaultCredential is the named credential to use by default.
DefaultCredential string `yaml:"default-credential,omitempty"`
// DefaultRegion is the cloud region to use by default.
DefaultRegion string `yaml:"default-region,omitempty"`
// AuthCredentials is the credentials for a cloud, keyed on name.
AuthCredentials map[string]Credential `yaml:",omitempty,inline"`
}
func (c *CloudCredential) validateDefaultCredential() {
if c.DefaultCredential != "" {
stillHaveDefault := false
for name := range c.AuthCredentials {
if name == c.DefaultCredential {
stillHaveDefault = true
break
}
}
if !stillHaveDefault {
c.DefaultCredential = ""
}
}
}
// Credential instances represent cloud credentials.
type Credential struct {
authType AuthType
attributes map[string]string
// Revoked is true if the credential has been revoked.
Revoked bool
// Label is optionally set to describe the credentials to a user.
Label string
// Invalid is true if the credential is invalid.
Invalid bool
// InvalidReason contains the reason why a credential was flagged as invalid.
// It is expected that this string will be empty when a credential is valid.
InvalidReason string
}
// AuthType returns the authentication type.
func (c Credential) AuthType() AuthType {
return c.authType
}
func copyStringMap(in map[string]string) map[string]string {
if in == nil {
return nil
}
out := make(map[string]string)
for k, v := range in {
out[k] = v
}
return out
}
// Attributes returns the credential attributes.
func (c Credential) Attributes() map[string]string {
return copyStringMap(c.attributes)
}
type credentialInternal struct {
AuthType AuthType `yaml:"auth-type"`
Attributes map[string]string `yaml:",omitempty,inline"`
}
// MarshalYAML implements the yaml.Marshaler interface.
func (c Credential) MarshalYAML() (interface{}, error) {
return credentialInternal{c.authType, c.attributes}, nil
}
// UnmarshalYAML implements the yaml.Marshaler interface.
func (c *Credential) UnmarshalYAML(unmarshal func(interface{}) error) error {
var internal credentialInternal
if err := unmarshal(&internal); err != nil {
return err
}
*c = Credential{authType: internal.AuthType, attributes: internal.Attributes}
return nil
}
// NewCredential returns a new, immutable, Credential with the supplied
// auth-type and attributes.
func NewCredential(authType AuthType, attributes map[string]string) Credential {
return Credential{authType: authType, attributes: copyStringMap(attributes)}
}
// NewNamedCredential returns an immutable Credential with the supplied properties.
func NewNamedCredential(name string, authType AuthType, attributes map[string]string, revoked bool) Credential {
return Credential{
Label: name,
authType: authType,
attributes: copyStringMap(attributes),
Revoked: revoked,
}
}
// NewEmptyCredential returns a new Credential with the EmptyAuthType
// auth-type.
func NewEmptyCredential() Credential {
return Credential{authType: EmptyAuthType, attributes: nil}
}
// NewEmptyCloudCredential returns a new CloudCredential with an empty
// default credential.
func NewEmptyCloudCredential() *CloudCredential {
return &CloudCredential{AuthCredentials: map[string]Credential{"default": NewEmptyCredential()}}
}
// NamedCredentialAttr describes the properties of a named credential attribute.
type NamedCredentialAttr struct {
// Name is the name of the credential value.
Name string
// CredentialAttr holds the properties of the credential value.
CredentialAttr
}
// CredentialSchema describes the schema of a credential. Credential schemas
// are specific to cloud providers.
type CredentialSchema []NamedCredentialAttr
// Attribute returns the named CredentialAttr value.
func (s CredentialSchema) Attribute(name string) (*CredentialAttr, bool) {
for _, value := range s {
if value.Name == name {
result := value.CredentialAttr
return &result, true
}
}
return nil, false
}
// FinalizeCredential finalizes a credential by matching it with one of the
// provided credential schemas, and reading any file attributes into their
// corresponding non-file attributes. This will also validate the credential.
//
// If there is no schema with the matching auth-type, an error satisfying
// errors.IsNotSupported will be returned.
func FinalizeCredential(
credential Credential,
schemas map[AuthType]CredentialSchema,
readFile func(string) ([]byte, error),
) (*Credential, error) {
schema, ok := schemas[credential.authType]
if !ok {
return nil, errors.NotSupportedf("auth-type %q", credential.authType)
}
attrs, err := schema.Finalize(credential.attributes, readFile)
if err != nil {
return nil, errors.Trace(err)
}
return &Credential{authType: credential.authType, attributes: attrs}, nil
}
// Finalize finalizes the given credential attributes against the credential
// schema. If the attributes are invalid, Finalize will return an error.
//
// An updated attribute map will be returned, having any file attributes
// deleted, and replaced by their non-file counterparts with the values set
// to the contents of the files.
func (s CredentialSchema) Finalize(
attrs map[string]string,
readFile func(string) ([]byte, error),
) (map[string]string, error) {
checker, err := s.schemaChecker()
if err != nil {
return nil, errors.Trace(err)
}
m := make(map[string]interface{})
for k, v := range attrs {
m[k] = v
}
result, err := checker.Coerce(m, nil)
if err != nil {
return nil, errors.Trace(err)
}
resultMap := result.(map[string]interface{})
newAttrs := make(map[string]string)
// Construct the final credential attributes map, reading values from files as necessary.
for _, field := range s {
if field.FileAttr != "" {
if err := s.processFileAttrValue(field, resultMap, newAttrs, readFile); err != nil {
return nil, errors.Trace(err)
}
continue
}
name := field.Name
if field.FilePath {
pathValue, ok := resultMap[name]
if ok && pathValue != "" {
absPath, err := ValidateFileAttrValue(pathValue.(string))
if err != nil {
return nil, errors.Trace(err)
}
data, err := readFile(absPath)
if err != nil {
return nil, errors.Annotatef(err, "reading file for %q", name)
}
if len(data) == 0 {
return nil, errors.NotValidf("empty file for %q", name)
}
newAttrs[name] = string(data)
continue
}
}
if val, ok := resultMap[name]; ok {
newAttrs[name] = val.(string)
}
}
return newAttrs, nil
}
// ValidateFileAttrValue returns the normalised file path, so
// long as the specified path is valid and not a directory.
func ValidateFileAttrValue(path string) (string, error) {
absPath, err := utils.ExpandPath(path)
if err != nil {
return "", err
}
info, err := os.Stat(absPath)
if err != nil {
return "", errors.Errorf("invalid file path: %s", absPath)
}
if info.IsDir() {
return "", errors.Errorf("file path must be a file: %s", absPath)
}
return absPath, nil
}
func (s CredentialSchema) processFileAttrValue(
field NamedCredentialAttr, resultMap map[string]interface{}, newAttrs map[string]string,
readFile func(string) ([]byte, error),
) error {
name := field.Name
if fieldVal, ok := resultMap[name]; ok {
if _, ok := resultMap[field.FileAttr]; ok {
return errors.NotValidf(
"specifying both %q and %q",
name, field.FileAttr,
)
}
newAttrs[name] = fieldVal.(string)
return nil
}
fieldVal, ok := resultMap[field.FileAttr]
if !ok {
return errors.NewNotValid(nil, fmt.Sprintf(
"either %q or %q must be specified",
name, field.FileAttr,
))
}
data, err := readFile(fieldVal.(string))
if err != nil {
return errors.Annotatef(err, "reading file for %q", name)
}
if len(data) == 0 {
return errors.NotValidf("empty file for %q", name)
}
newAttrs[name] = string(data)
return nil
}
func (s CredentialSchema) schemaChecker() (schema.Checker, error) {
fields := make(environschema.Fields)
for _, field := range s {
fields[field.Name] = environschema.Attr{
Description: field.Description,
Type: environschema.Tstring,
Group: environschema.AccountGroup,
Mandatory: field.FileAttr == "" && !field.Optional,
Secret: field.Hidden,
Values: field.Options,
}
}
// TODO(axw) add support to environschema for attributes whose values
// can be read in from a file.
for _, field := range s {
if field.FileAttr == "" {
continue
}
if _, ok := fields[field.FileAttr]; ok {
return nil, errors.Errorf("duplicate field %q", field.FileAttr)
}
fields[field.FileAttr] = environschema.Attr{
Description: field.Description + " (file)",
Type: environschema.Tstring,
Group: environschema.AccountGroup,
Mandatory: false,
Secret: false,
}
}
schemaFields, schemaDefaults, err := fields.ValidationSchema()
if err != nil {
return nil, errors.Trace(err)
}
return schema.StrictFieldMap(schemaFields, schemaDefaults), nil
}
// CredentialAttr describes the properties of a credential attribute.
type CredentialAttr struct {
// Description is a human-readable description of the credential
// attribute.
Description string
// Hidden controls whether or not the attribute value will be hidden
// when being entered interactively. Regardless of this, all credential
// attributes are provided only to the Juju controllers.
Hidden bool
// FileAttr is the name of an attribute that may be specified instead
// of this one, which points to a file that will be read in and its
// value used for this attribute.
FileAttr string
// FilePath is true if the value of this attribute is a file path. If
// this is true, then the attribute value will be set to the contents
// of the file when the credential is "finalized".
FilePath bool
// ExpandFilePath reads in the FilePath, validating the file path correctly.
// If the file path is correct, it will then read and replace the path,
// with the associated content. The contents of the file in "finalized" will
// be the file contents, not the filepath.
ExpandFilePath bool
// Optional controls whether the attribute is required to have a non-empty
// value or not. Attributes default to mandatory.
Optional bool
// Options, if set, define the allowed values for this field.
Options []interface{}
}
type cloudCredentialChecker struct{}
func (c cloudCredentialChecker) Coerce(v interface{}, path []string) (interface{}, error) {
out := CloudCredential{
AuthCredentials: make(map[string]Credential),
}
v, err := schema.StringMap(cloudCredentialValueChecker{}).Coerce(v, path)
if err != nil {
return nil, err
}
mapv := v.(map[string]interface{})
for k, v := range mapv {
switch k {
case "default-region":
out.DefaultRegion = v.(string)
case "default-credential":
out.DefaultCredential = v.(string)
default:
out.AuthCredentials[k] = v.(Credential)
}
}
return out, nil
}
type cloudCredentialValueChecker struct{}
func (c cloudCredentialValueChecker) Coerce(v interface{}, path []string) (interface{}, error) {
field := path[len(path)-1]
switch field {
case "default-region", "default-credential":
return schema.String().Coerce(v, path)
}
v, err := schema.StringMap(schema.String()).Coerce(v, path)
if err != nil {
return nil, err
}
mapv := v.(map[string]interface{})
authType, _ := mapv["auth-type"].(string)
if authType == "" {
return nil, errors.Errorf("%v: missing auth-type", strings.Join(path, ""))
}
attrs := make(map[string]string)
delete(mapv, "auth-type")
for k, v := range mapv {
attrs[k] = v.(string)
}
if len(attrs) == 0 {
attrs = nil
}
return Credential{authType: AuthType(authType), attributes: attrs}, nil
}
// ParseCredentials parses the given yaml bytes into Credentials, but does
// not validate the credential attributes.
func ParseCredentials(data []byte) (map[string]CloudCredential, error) {
credentialCollection, err := ParseCredentialCollection(data)
if err != nil {
return nil, errors.Trace(err)
}
cloudNames := credentialCollection.CloudNames()
credentials := make(map[string]CloudCredential)
for _, cloud := range cloudNames {
v, err := credentialCollection.CloudCredential(cloud)
if err != nil {
return nil, errors.Trace(err)
}
credentials[cloud] = *v
}
return credentials, nil
}
// RemoveSecrets returns a copy of the given credential with secret fields removed.
func RemoveSecrets(
credential Credential,
schemas map[AuthType]CredentialSchema,
) (*Credential, error) {
schema, ok := schemas[credential.authType]
if !ok {
return nil, errors.NotSupportedf("auth-type %q", credential.authType)
}
redactedAttrs := credential.Attributes()
for _, attr := range schema {
if attr.Hidden {
delete(redactedAttrs, attr.Name)
}
}
return &Credential{authType: credential.authType, attributes: redactedAttrs}, nil
}
// CredentialCollection holds CloudCredential(s) that are lazily validated.
type CredentialCollection struct {
Credentials map[string]interface{} `yaml:"credentials"`
}
// ParseCredentialCollection parses YAML bytes for the credential
func ParseCredentialCollection(data []byte) (*CredentialCollection, error) {
collection := CredentialCollection{}
err := yaml.Unmarshal(data, &collection)
if err != nil {
return nil, errors.Annotate(err, "cannot unmarshal yaml credentials")
}
return &collection, nil
}
// CloudCredential returns a copy of the CloudCredential for the specified cloud or
// an error when the CloudCredential was not found or failed to pass validation.
func (c *CredentialCollection) CloudCredential(cloudName string) (*CloudCredential, error) {
credentialValue, ok := c.Credentials[cloudName]
if !ok {
return nil, errors.NotFoundf("credentials for cloud %s", cloudName)
}
if credential, ok := credentialValue.(CloudCredential); ok {
return &credential, nil
}
credentialValue, err := cloudCredentialChecker{}.Coerce(
credentialValue, []string{"credentials." + cloudName},
)
if err != nil {
return nil, errors.Trace(err)
}
credential := credentialValue.(CloudCredential)
credential.validateDefaultCredential()
c.Credentials[cloudName] = credential
return &credential, nil
}
// CloudNames returns the cloud names to which credentials inside the CredentialCollection belong.
func (c *CredentialCollection) CloudNames() []string {
var cloudNames []string
for k := range c.Credentials {
cloudNames = append(cloudNames, k)
}
return cloudNames
}
// UpdateCloudCredential stores a CloudCredential for a specific cloud.
func (c *CredentialCollection) UpdateCloudCredential(cloudName string, details CloudCredential) {
if len(details.AuthCredentials) == 0 {
delete(c.Credentials, cloudName)
return
}
if c.Credentials == nil {
c.Credentials = make(map[string]interface{})
}
details.validateDefaultCredential()
c.Credentials[cloudName] = details
}