ssm

package module
v0.7.3 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Dec 8, 2022 License: Apache-2.0 Imports: 8 Imported by: 0

README

GoDoc GitHub Actions CodeQL

Introduction

This library is intended to allow for encode / decode go struct fields from AWS Systems Manager Parameter Store and AWS Secrets Manager.

This library in early stage and hence in non production state. It basically now can do a plain Unmarshal & Marshal operation, with PMS and ASM, partially or fully with reporting of which fields did not have any PMS counterpart. It also supports Filtering for selective unmarshal / marshal pms and asm fields.

It is also possible to generate object, JSON reports to e.g. use with CDK to that uses Cloud Formation to provision parameters and secrets. It is completely customizable so you may integrate in your DevOps pipeline.

Only string value (not binary) for Secrets Manager is currently supported!

How to use it; in the go-mod include the following requirement require github.com/mariotoffia/ssm v0.4.0

The intention to this library to simplify fetching & upsert one or more parameters, secrets blended with other settings. It is also intended to be as efficient as possible and hence possible to filter, exclude or include, which properties that should participate in Unmarshal or Marshal operation. It uses go standard Tag support to direct the Serializer how to Marshal or Unmarshal the data. For example

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout"`
  Db struct {
    ConnectString string `asm:"connection, prefix=/global/accountingdb"`
    BatchSize     int `pms:"batchsize, prefix=local/prefix"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
  }
}

var ctx MyContext

s := ssm.NewSsmSerializer("eap", "test-service")
_, err := s.Unmarshal(&ctx)
if err != nil {
  panic()
}

fmt.Printf("got total timeout of %d and connect using %s ...", ctx.TotalTimeout, ctx.Db.ConnectString)

The above example shows how to blend PMS backed data with data set by the service itself to perform the work. Note that the ConnectString is a global setting and hence independent on the service it will be retrieved from /{env}/global/accountingdb/connection parameter. In this way it is possible to constrain parameters to a single service, share between services or have notion of global parameters. Environment is always present, thus mandatory.

The above example uses keys from

  • /eap/global/accountingdb/connection (Secrets Manager)
  • /eap/test-service/timeout (Parameter Store)
  • /eap/test-service/local/prefix/db/batchsize (Parameter Store)
  • /eap/test-service/db/timeout (Parameter Store)

The counterpart Marshal in essence looks like this (see below for more information about Marshal)

ctx := MyContext { Caller: "kalle", 
// initialize the struct and sub-struct ...
}

s := ssm.NewSsmSerializer("eap", "test-service")
err := s.Marshal(&ctx)
if len(err) > 0
  panic()
}

If you'd rather like to have a JSON string stored that gets unmarshalled, just decorate the struct property like this

// Two parameter store keys
type MyDbServiceConfig struct {
	Name       string `pms:"test, prefix=simple,tag1=nanna banna panna"`
	Connection struct {
		User     string `json:"user"`
		Password string `json:"password"`
		Timeout  int    `json:"timeout"`
	} `pms:"bubbibobbo"`
}

// Single Secret Key
type MyDbServiceConfigAsm struct {
	Name       string
	Connection struct {
		User     string `json:"user"`
		Password string `json:"password"`
		Timeout  int    `json:"timeout"`
	} `asm:"bubbibobbo, strkey=password"`
}

Both examples above will use a single string in JSON format to Marshal/Unmarshal into individual properties (User, Password, Timeout). The use of strkey=password is only used for instructing the CDK Construct renderer to use a template driven (Cloud Formation generates the password when provisioned).

You may use reporting and generation of CDK artifacts for Cloud Formation deployments. The reporting and CDK class generation is customizable.

s := NewSsmSerializer("dev", "test-service")
objects, json, err := s.ReportWithOpts(&ctx, NoFilter, true)

The above will cerate a JSON report format that can be used to generate CDK classes. Example output for ssm-cdk-generator

import * as cdk from '@aws-cdk/core';
    import * as asm from '@aws-cdk/aws-secretsmanager';
    import * as pms from '@aws-cdk/aws-ssm';

    export class SsmParamsConstruct extends cdk.Construct {
      constructor(scope: cdk.Construct, id: string) {
        super(scope, id);

        this.SetupSecrets();
        this.SetupParameters();
      }

      private SetupSecrets() {
              new asm.CfnSecret(this, 'Secret0', {
                description: '',
                name: '/dev/test-service/connectstring',
                generateSecretString: {
                  secretStringTemplate: '{"user": "nisse"}',
                  generateStringKey: 'password',
                },
                tags: [{"key":"gurka","value":"biffen"},{"key":"nasse","value":"hunden"}]
              });
            // ...
      }

      private SetupParameters() {
          new pms.CfnParameter(this, 'Parameter0', {
                name: '/dev/test-service/parameter',
                type: 'String',
                value: 'a parameter',
                allowedPattern: '.*',
                description: 'A sample value',
                policies: ''
                tags: {"my":"hobby","by":"test"},
                tier: 'Standard'
              });
            // ...
      }
    }

There are a few templates for Secrets Manager included in the library to make it more simpler to handle standard credentials to e.g. PostgreSQL

type MyServiceContext struct {
	DbCtx    support.SecretsManagerRDSPostgreSQLRotationSingleUser `asm:"dbctx, strkey=password"`
	Settings struct {
		BatchSize int    `json:"batchsize"`
		Signer    string `json:"signer,omitempty"`
	} `pms:"settings"`
}

If this is reported it may output something like this

{
  "type": "secrets-manager",
  "fqname": "/prod/test-service/dbctx",
  "keyid": "",
  "description": "",
  "tags": {},
  "details": {
    "strkey": "password"
  },
  "value": "{\"engine\":\"postgre\",\"host\":\"pgsql-17.toffia.se\",\"username\":\"gördis\",\"dbname\":\"mydb\"}",
  "valuetype": "SecureString"
},
{
  "type": "parameter-store",
  "fqname": "/prod/test-service/settings",
  "keyid": "",
  "description": "",
  "tags": {},
  "details": {
    "pattern": "",
    "tier": "Standard"
  },
  "value": "{\"batchsize\":77,\"signer\":\"mto\"}",
  "valuetype": "String"
}

This may then be used to generate CDK artifacts (as above) using ssm-cdk-generator to generate passwords and the secrets using Cloud Formation deployment.

Standard Usage

Good For Lambda Configuration

In combination with env this is a great way of centrally administrating your configuration but allow override of those using environment variables. For example

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb", env:DEBUG_DB_CONNECTION`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
  }
}

var ctx MyContext

s := ssm.NewSsmSerializer("eap", "test-service")
if _, err := s.Unmarshal(&ctx); err != nil  {
  panic()
}

if err := env.set(&ctx); err != nil  {
  panic()
}
// If we e.g. set the TOTAL_TIMEOUT = 99 in the env for the lambda 
// the ctx.TotalTimeout will be 99 and hence overridden locally
fmt.Printf("got total timeout of %d and connect using %s ...", ctx.TotalTimeout, ctx.Db.ConnectString)

Note that plain Unmarshal will examine the struct for both asm and pms tags. If you want to control, and optimize speed and remote manager access, use UnmarshalWithOpts whey you may specify which tag types to use in the unmarshal operation.

Since the keyid=default is specifies (if a write operation and key do not exists) that the account default CMK is used.

Policies

Make sure to enable policies so Lambda (or other code) may have the right to e.g. read, write or delete the parameters or secrets.

Parameter Store
  • Marshal: "ssm:GetParameters"
  • Unmarshal: "ssm:PutParameter", if tags: "ssm:AddTagsToResource"
  • Delete: "ssm:DeleteParameters"

Make sure to constrain your policy by e.g. prefixing the parameter. For example:

{
    "Version": "2012-10-17",
    "Statement": [
        {
            "Sid": "mySid",
            "Effect": "Allow",
            "Action": [
                "ssm:PutParameter",
                "ssm:GetParameters",
                "ssm:DeleteParameters",
                "ssm:AddTagsToResource"
            ],
            "Resource": "arn:aws:ssm:region:account-id:parameter/myParams/*"
        }
    ]
}
Secrets Manager
  • Marshal: "secretsmanager:GetSecretValue"
  • Unmarshal: "secretsmanager:CreateSecret", "secretsmanager:UpdateSecret", if tags: "secretsmanager:TagResource"
  • Delete: "secretsmanager:DeleteSecret", "secretsmanager:ListSecrets"
{
    "Version": "2012-10-17",
    "Statement": [
        {
            "Sid": "mySid",
            "Effect": "Allow",
            "Action": [
                "secretsmanager:GetSecretValue"
            ],
            "Resource": "arn:aws:secretsmanager:<region>:<account-id-number>:secret:connectstring-??????"
        }
    ]
}

Note, since secrets manager will append a unique id on the secret name, hence the 6 question mark to exactly match six wildcards. If you would, instead, use a wildcard, it may match whatever, e.g. connectstring-by-mail etc.

AWS Secrets Manager

In addition to Systems Manager, Parameter Store, this serializer can handle asm tags that references to the Secrets Manager instead. This is good if you e.g. have a shared secret for a RDS and wish to rotate the secret. For example, if we would use PMS for all configuration around how to handle the database and logic around it and then use the secrets manager for the actual connection string. It could look like this:

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `asm:"connection, prefix=/global/accountingdb", env:DEBUG_DB_CONNECTION`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
  }
}

var ctx MyContext

s := ssm.NewSsmSerializer("eap", "test-service")
if _, err := s.Unmarshal(&ctx); err != nil  {
  panic()
}

if err := env.set(&ctx); err != nil  {
  panic()
}
// If we e.g. set the TOTAL_TIMEOUT = 99 in the env for the lambda 
// the ctx.TotalTimeout will be 99 and hence overridden locally
fmt.Printf("got total timeout of %d and connect using %s ...", ctx.TotalTimeout, ctx.Db.ConnectString)

Just a simple pms to asm tag substitution and now the connection string is managed in the secrets manager. Since Unmarshal, by default, unmarshal both asm and psm no changes in the unmarshal code is needed.

You may if you wish only access the secret or parameters using the unmarshal directives OnlyPsm or OnlyAsm in the UnmarshalWithOpts method. For example

if _, err := s.UnmarshalWithOpts(&ctx, NoFilter, OnlyPms); err != nil  {
  panic()
}

The above will only unmarshal the parameter store data (by specifying OnlyPms) and not secrets manager ConnectionString. Hence it would be "". This can of course be achieved by Filters (see below) but is a tiny bit optimization if you know that an entire remote store is not needed. In contrast, using filters you may selectively unmarshal values from both asm and pms (see filter below).

Versions

Since AWS Secrets Manager handles versions in two ways and they are mutual exclusive, you only may specify one of the following vs, see Version Stage, and vid (Version Id). If none is specified the AWSCURRENT staging label is used as vs and hence the last version is retrieved.

type AlwaysLatest struct {
  ConnectString string `asm:connection, vs=AWSCURRENT"`
}

The above example explicit states that this property will always be attached to latest version since the Version Stage is always point to AWSCURRENT stage label.

type AlwaysLatest struct {
  ConnectString string `asm:connection, vs=AWSCURRENT"`
}

type AlwaysPrevious struct {
  ConnectString string `asm:connection, vs=AWSPREVIOUS"`
}

// Set and Marshal AlwaysLatest
// Set and Marshal AlwaysLatest
// Unmarshal AlwaysPrevious - will contain the previous value in ConnectString
// Unmarshal AlwaysLatest - will contain the current value in ConnectString

Filters

If you don't want all properties to be set (faster response-times) use a filter to include & exclude properties. Filters also work in the hierarchy, i.e. you may set a exclusion for on a field that do have nested sub-struct beneath and all of those will be automatically excluded. However, you may override that both on tree level or explicit on leaf (a specific field property that is not a sub-struct). For example

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb", env:DEBUG_DB_CONNECTION`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
    Flow          struct {
      Base  int `pms:"base"`
      Prime int `pms:"prime"`
    }
  }
}

var ctx MyContext

s := ssm.NewSsmSerializer("eap", "test-service")
if _, err := s.UnmarshalWithOpts(&ctx,
              support.NewFilters().
                      Exclude("Db").
                      Include("Db.ConnectString").
                      Include("Db.Flow"), OnlyPms); err != nil  {
  panic()
}

fmt.Printf("got total timeout of %d and connect using %s (base: %d, prime %d)", 
    ctx.TotalTimeout, ctx.Db.ConnectString, ctx.Db.Flow.Base, ctx.Db.Flow.Prime)

fmt.Printf("No data for BatchSize %d and DbTimeout %d", ctx.Db.BatchSize, ctx.Db.DbTimeout)

The above sample will first Exclude everything beneath the Db node. But since we have explicit (Leaf) and Node implicit Includes beneath the exclusion, those properties will be included. In this case ConnectString, everything beneath Flow is included. However, everything else beneath Db is excluded, including BatchSize and DbTimeout.

It also used the OnlyPms to illustrate that you may select what types of tags the unmarshaller shall use. In this case it is only a very scarce bit of optimization. However, if you would have asm tags in this struct it would access the Secrets Manager if not filtered out.

Taking Care of Not Backed Parameters

If there was no backing parameter on e.g. Parameter Store, the Unmarshal methods will return as map[string]support.FullNameField. The map is keyed with the field navigation e.g. Db.Flow.Base would refer to the

Base  int `pms:"base"`

parameter under the Flow field. The value is a FullNameField struct where it contains

type FullNameField struct {
	// Local name in dotted navigation format
	LocalName string
	// Remove name as required by AWS
	// (for PMS this is not a ARN)
	RemoteName string
	// The field within the struct that is referred
	Field reflect.StructField
	// The value accessor to the field. Note if this is
	// a pointer; it may not have a value do check IsValid
	// before accessing.
	Value reflect.Value
}

The LocalName is the same as the map key. RemoteName is the AWS specific remote name. In parameter store it may e.g. be /eap/test-service/db/flow/base. In order to examine which field it is the reflect.StructField is included along with the reflect.Value to provide set and get accessors to the value itself.

This may be used to otherwise get or perform some default configuration for the reported fields. For example you may use a backing JSON file within the service to read-up some sensible defaults and set those. (I'll implement a default option for this so that the library may resort to do such and just report missing and what compensating (read backing JSON) action it took).

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb", env:DEBUG_DB_CONNECTION`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
    Missing       string `pms:"missing-backing-field"`
  }
}

var ctx MyContext

s := ssm.NewSsmSerializer("eap", "test-service")
invalid, err := s.Unmarshal(&ctx)
if err != nil
  panic()
}

for key, fld := range invalid {
  fmt.Printf("Missing %s RemoteName %s\n", key, fld.RemoteName)
}

The above example will output Missing Db.Missing RemoteName /eap/test-service/db/missing-backing-field.

Writing (Marshalling)

It is possible to marshal using the struct towards the Parameter Store and Secrets Manager. To be smart and not update all parameters / secrets use filter to include and exclude struct fields to be marshalled. Note that writing to secrets manager and read back the values directly may return some secrets with the old values since it seems that it uses eventual consistency and hence a later point in time you get the new values.

Marshalling is quite simple, just pass the pointer to the struct that you wish to marshal and it will iterate the fields and any sub-struct. The error mechanism is a little bit different. It will always only return the support.FullNameField (zero or more). If any generic error a single support.FullNameField is returned with the Error property set to the error encountered. It has no LocalName etc. set, just the Error field. When it fails for some reason to write a field, it is returned as with Unmarshal. However, the Error field is always set to the last exception encountered. This exception may not be the source since retries.

Marshal is really a Upsert operation where it tries to create, if already existent it will Update the parameter. If update; it will then check if any tags are associated with the field and set those tags on the parameter / secret.

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb"`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
    Missing       string `pms:"missing-backing-field"`
  }
}

ctx := MyContext { Caller: "kalle", 
// initialize the struct and sub-struct ...
}

s := ssm.NewSsmSerializer("eap", "test-service")
err := s.Marshal(&ctx)
if len(err) > 0
  panic()
}

This above example marshals the entire struct and it's sub-struct field. Since Parameter Store do not have a batch mechanism the parameters are created / updated one by one. Hence this Marshal operation will call the parameter store 5 times (since no tags are present). Since the ConnectString is decorated with a keyid it will be encrypted (in this case using the account default KMS key for parameter store).

Therefore make sure to use filter to narrow down the parameter that you really wanted to write!

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb"`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
    Flow          struct {
      Base  int `pms:"base"`
      Prime int `pms:"prime"`
    }
  }
}

ctx := MyContext { Caller: "kalle", 
// initialize the struct and sub-struct ...
}

s := ssm.NewSsmSerializer("eap", "test-service")
err := s.MarshalWithOpts(&ctx,
          support.NewFilters().
              Exclude("Db").
              Include("Db.ConnectString").
              Include("Db.Flow"), OnlyPms); err != nil  {

if len(err) > 0 {
  panic()
}

The above example will only create / update the parameter store with three parameters

  • ConnectString
  • Base
  • Prime

Hence, only 3 invocations is done for this operation instead of six.

It is also, as with Unmarshal blend asm and pms tags and the serializer will marshal towards parameter store or secrets manager respectively.

type MyContext struct {
  Caller        string
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT"`
  Db struct {
    ConnectString string `asm:"connection, keyid=default, prefix=/global/accountingdb"`
    BatchSize     int `pms:"batchsize"`
    DbTimeout     int `pms:"timeout"`
    UpdateRevenue bool
    Signer        string
    Missing       string `pms:"missing-backing-field"`
  }
}

ctx := MyContext { Caller: "kalle", 
// initialize the struct and sub-struct ...
}

s := ssm.NewSsmSerializer("eap", "test-service")
err := s.Marshal(&ctx)
if len(err) > 0
  panic()
}

Again, this will bluntly Marshal all parameters in struct. Since ConnectionString is in the Secrets Manager it could possibly incur three invocations. If not already existent it will only use one create. But if already existent it tries to create, if fails it will update. If tags are present it will also invoke a tag resource. In above example, since missing tags, it will use one or two invocations.

  • It's better to use filters :)

A neat thing is that you may define struct that are alike and read from one store and write to the other just by different decorations or overlaying decorations. For example if read from JSON and copy to parameter store.

type MyContext struct {
  TotalTimeout  int `pms:"timeout",env:TOTAL_TIMEOUT", json:"timeout"`
  Db struct {
    ConnectString string `pms:"connection, keyid=default, prefix=/global/accountingdb", json:"connectstring"`
    BatchSize     int `pms:"batchsize", json:"batch"`
    DbTimeout     int `pms:"timeout", json:"dbtimeout"`
    UpdateRevenue bool `json:"update-revenue"`
  }
}

jsonData := []byte(`
{
    "timeout": 30000,
    "Db": {
      "connectstring": "user=xyz, pass=åäö, ...",
      "batch": 44,
      "dbtimeout": 20000,
      "update-revenue": true
    }
}`)

s := ssm.NewSsmSerializer("eap", "test-service")

// read from JSON payload
var ctx MyContext
if err := json.Unmarshal(jsonData, &ctx); err != nil {
  panic()
}

// and write to parameter store
err := s.Marshal(&ctx)
if len(err) > 0
  panic()
}

Tier (Parameter Store)

By default the serializer uses the tier specified when constructed (if not set standard is always used). It is possible to specify on field basis the tier to use (this is when creating / putting) the parameter to parameter store. When using e.g. advanced tier you may use policies and larger strings (as time of writing 8kb instead of 4kb strings).

type MyContextPostgreSQL struct {
	DbCtx    support.SecretsManagerRDSPostgreSQLRotationSingleUser `asm:"dbctx, strkey=password"`
	Settings struct {
		BatchSize int    `json:"batchsize"`
		Signer    string `json:"signer,omitempty"`
	} `pms:"settings, tier=adv"`
}

This above sample shows that the JSON payload for setting is stored using the advanced tier for this specific parameter.

You have the following tier to specify using the tier tag name:

  • std - Default Tier
  • adv - Advanced Tier
  • eval - Intelligent tiering - AWS evaluate and determines the type of tier to use for parameter.

Reporting

Please see the cdk README.md for details around reporting.

There is a npm package called ssm-cdk-generator that can use the report output to produce CDK Construct that creates CDK Secrets Manager Cloud Formation CfnSecret and Parameter Store Cloud Formation CfnParameter. It is somewhat template-able so you may modify the rendered code if you wish. However, the goal is to be able to generate and include those into a CDK Stack.

Documentation

Index

Constants

This section is empty.

Variables

View Source
var AllTags []Usage = []Usage{UsePms, UseAsm}

AllTags will use all tags in the struct that this un-/marshaller supports

NoFilter specified that no Filtering shall be done

View Source
var OnlyAsm []Usage = []Usage{UseAsm}

OnlyAsm will enable only Secrets Manager tags

View Source
var OnlyPms []Usage = []Usage{UsePms}

OnlyPms will enable only Parameter Store tags

Functions

This section is empty.

Types

type Serializer

type Serializer struct {
	// contains filtered or unexported fields
}

Serializer handles un-/marshaling of SSM data back and forth go struct fields. Default is all tags used when un-/marshal

func NewSsmSerializer

func NewSsmSerializer(env string, service string) *Serializer

NewSsmSerializer creates a new serializer with default aws.Config

func NewSsmSerializerFromConfig

func NewSsmSerializerFromConfig(env string, service string, config aws.Config) *Serializer

NewSsmSerializerFromConfig creates a new serializer using the in param config instead of the default config.

func (*Serializer) AdvDeleteWithOpts added in v0.6.0

func (s *Serializer) AdvDeleteWithOpts(v interface{},
	filter *support.FieldFilters,
	usage []Usage) (map[string]support.FullNameField, *parser.StructNode, error)

AdvDeleteWithOpts is the same function as the DeleteWithOpts but is also returns the tree of parsed node to be post-processed.

func (*Serializer) AdvMarshalWithOpts

func (s *Serializer) AdvMarshalWithOpts(v interface{},
	filter *support.FieldFilters,
	usage []Usage) (map[string]support.FullNameField, *parser.StructNode)

AdvMarshalWithOpts is exactly as MarshalWithOpts but it also returns the parsed node tree. It is possible to register your own tag parsers using UseTagParser(name, tagparser) method.

func (*Serializer) AdvUnmarshalWithOpts

func (s *Serializer) AdvUnmarshalWithOpts(v interface{},
	filter *support.FieldFilters,
	usage []Usage) (map[string]support.FullNameField, *parser.StructNode, error)

AdvUnmarshalWithOpts is the same function as the UnmarshalWithOpts but is also returns the tree of parsed node to be post-processed.

func (*Serializer) Delete added in v0.6.0

func (s *Serializer) Delete(v interface{}) (map[string]support.FullNameField, error)

Delete creates the in param struct pointer (and sub struct as well). It will search the fields that are denoted with pms and asm with data from the Systems Manager. It tries to delete all keys. It returns a map contains fields that where failed to be deleted.

func (*Serializer) DeleteWithOpts added in v0.6.0

func (s *Serializer) DeleteWithOpts(v interface{},
	filter *support.FieldFilters, usage []Usage) (map[string]support.FullNameField, error)

DeleteWithOpts creates the in param struct pointer (and sub struct as well). It will search the fields that are denoted with pms and asm with data from the Systems Manager. It tries to delete all keys. It returns a map contains fields that where failed to be deleted.

This version of Delete accepts a set of inclusion & exclusion filters. The type is only parsed with the non excluded or explicit included field. By default property is excluded. See @support.FieldFilters for more information about filtering. It also accepts a set of usage directives that the calling code may turn off or on certain tags (for example do only delete PMS data). By default the serializer will use all supported tags.

func (*Serializer) Marshal

func (s *Serializer) Marshal(v interface{}) map[string]support.FullNameField

Marshal serializes the struct and sub-struct onto parameter store and AWS secrets manager. The values are not checked, it will bluntly **upsert** the data onto the remote storage. It returns a map contains fields that where tried to be set but for some reason fails. The error property is always filled in using Marshal (as opposed to Unmarshal where it is never filled in). If any non field related error occurs an empty support.FullNameField is returned with only the Error field populated.

func (*Serializer) MarshalWithOpts

func (s *Serializer) MarshalWithOpts(v interface{},
	filter *support.FieldFilters, usage []Usage) map[string]support.FullNameField

MarshalWithOpts serializes the struct and sub-struct onto parameter store and AWS secrets manager. The values are not checked, it will bluntly **upsert** the data onto the remote storage. It returns a map contains fields that where tried to be set but for some reason fails. The error property is always filled in using Marshal (as opposed to Unmarshal where it is never filled in). If any non field related error occurs an empty support.FullNameField is returned with only the Error field populated.

In this version of Marshal it is possible to specify exactly which parameters to be marshalled and which are not (see UnmarshalWithOpts for filter discussion). It is also possible to explicitly enable / disable PMS or ASM and hence gain a little optimization.

func (*Serializer) ReportWithOpts

func (s *Serializer) ReportWithOpts(v interface{},
	filter *support.FieldFilters,
	values bool) (*report.Report, string, error)

ReportWithOpts generates a struct based and JSON based report of the in param type or actual struct value to have default values generated. The JSON report is on the following example format: "parameters": [

	  {
		  "type": "secrets-manager",
		  "fqname": "/prod/simple/test",
		  "keyid": "",
		  "description": "A test secret",
		  "tags": {"test": "true"},
		  "details": null,
		  "value": "777"
	  }
 ]
}

func (*Serializer) SetTier

func (s *Serializer) SetTier(tier types.ParameterTier) *Serializer

SetTier allows for change the tier. By default Serializer uses the standard tier.

func (*Serializer) Unmarshal

func (s *Serializer) Unmarshal(v interface{}) (map[string]support.FullNameField, error)

Unmarshal creates the in param struct pointer (and sub struct as well). It will populate the fields that are denoted with pms and asm with data from the Systems Manager. It returns a map contains fields that where requested but not set.

func (*Serializer) UnmarshalWithOpts

func (s *Serializer) UnmarshalWithOpts(v interface{},
	filter *support.FieldFilters, usage []Usage) (map[string]support.FullNameField, error)

UnmarshalWithOpts creates the in param struct pointer (and sub struct as well). It will populate the fields that are denoted with pms and asm with data from the Systems Manager. It returns a map contains fields that where requested but not set. This version of Unmarshal accepts a set of inclusion & exclusion filters. The type is only initialized with the non excluded or explicit included field. By default property is excluded. See @support.FieldFilters for more information about filtering. It also accepts a set of usage directives that the calling code may turn off or on certain tags (for example do only unmarshal PMS data). By default the serializer will use all supported tags.

func (*Serializer) UsePrefix added in v0.5.0

func (s *Serializer) UsePrefix(prefix string) *Serializer

UsePrefix acts as a default prefix if no prefix is specified in the tag.

Prefix operates under two modes: _Local_ and _Global_.

.Local vs Global Mode [cols="1,1,4"] |=== |Mode |Example |Description

|Local |my-local-prefix/nested |This will render environment/service/my-local-prefix/nested/property. E.g. dev/tes-service/my-local-prefix/nested/password

|Global |/my-global-prefix/nested |This will render environment/my-global-prefix/nested/property. E.g. dev/my-global-prefix/nested/password

|===

NOTE: When global prefix, the _service_ element is eliminated (in order to have singeltons).

func (*Serializer) UseTagParser

func (s *Serializer) UseTagParser(tag string, parser parser.TagParser) *Serializer

UseTagParser registers a custom tag parser to participate in the reflective parsing when Marshal or Unmarshal operations.

type Usage

type Usage string

Usage determines how the tags on the struct are evaluated

const (
	// UsePms will enable the Systems Manager Parameter Store tags
	UsePms Usage = "pms"
	// UseAsm will enable the AWS Secrets Manager tags
	UseAsm = "asm"
)

Directories

Path Synopsis
internal
asm
pms

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL