DEV Community

bright inventions
bright inventions

Posted on • Updated on • Originally published at brightinventions.pl

AWS CloudFormation patterns & practices with cloudform

Recently we introduced cloudform – our open-source library that allows for managing AWS CloudFormation template files through TypeScript. Its core value proposition is to cope with the massive JSON files in a sane and familiar way – to treat it as any other TypeScript code we have in our project. But what does it actually mean? Let's look at some examples to check where this path can lead us to.

Just as a recap, the basic cloudform usage allows us to replace the lengthy and verbose JSON definition of AWS CloudFormation resource, like this:

{
  "VPC": {
    "Type": "AWS::EC2::VPC",
    "Properties": {
      "CidrBlock": {
        "Fn::FindInMap": [
          "NetworkingConfig",
          "VPC",
          "CIDR"
        ]
      },
      "EnableDnsHostnames": true,
      "Tags": [
        {
          "Key": "Application",
          "Value": {
            "Ref": "AWS::StackName"
          }
        },
        {
          "Key": "Network",
          "Value": "Public"
        },
        {
          "Key": "Name",
          "Value": {
            "Fn::Join": [
              "-",
              [
                {
                  "Ref": "AWS::StackId"
                },
                "VPC"
              ]
            ]
          }
        }
      ]
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

into totally equivalent piece of TypeScript:

{
  VPC: new EC2.VPC({
      CidrBlock: Fn.FindInMap('NetworkingConfig', 'VPC', 'CIDR'),
      EnableDnsHostnames: true,
      Tags: [
          new ResourceTag('Application', Refs.StackName),
          new ResourceTag('Network', 'Public'),
          new ResourceTag('Name', Fn.Join('-', [Refs.StackId, 'VPC']))
      ]
  })
}
Enter fullscreen mode Exit fullscreen mode

Let's try something more.

Get rid of repetitive values

Some references or other variables in our template repeat many times. With cloudform it's a bit more concise than in pure JSON – compare Refs.StackName to {"Ref": "AWS::StackName"}. We also often reference more complex constructs like concatenations – in pure JSON it quickly grows complex:

{
  "Fn::Join": [
    "-",
    [
      "app-name-",
      {
        "Ref": "DeployEnv"
      }
    ]
  ]
}
Enter fullscreen mode Exit fullscreen mode

With cloudform the same is expressed as

Fn.Join('-', ['app-name-', Fn.Ref('DeployEnv')])
Enter fullscreen mode Exit fullscreen mode

But if we reference this kind of value several times, we can just save it as a TypeScript-level constant and just reference it in TypeScript:

const envAppName = Fn.Join('-', ['app-name-', Fn.Ref('DeployEnv')])

cloudform({
    // ...
    ParameterValueSomewhereInResources: envAppName
})
Enter fullscreen mode Exit fullscreen mode

Structure and order for our AWS CloudFormation templates

Get rid of repetitive resources

The same concept applies well for similar resources definitions. Let's say we need ten SQS queues defined in our infrastructure. In pure JSON it means we have to repeat the same queue definition piece over and over again, changing probably just a name parameter.

{
  "NthQueue": {
    "Type": "AWS::SQS::Queue",
    "Properties": {
      "QueueName": {
        "Fn::Join": [
          "-",
          [
            {
              "Ref": "DeployEnv"
            },
            "nth-queue"
          ]
        ]
      },
      "RedrivePolicy": {
        "maxReceiveCount": 4,
        "deadLetterTargetArn": {
          "Fn::GetAtt": [
            "DefaultDeadLetterQueue",
            "Arn"
          ]
        }
      }
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

Going further with our previous concept of removing repetitions, we can apply pretty standard refactoring – extract a method. So we can define the piece of TypeScript that generates the Queue resource object and just invoke it within our template for each queue to be defined:

const defineQueue = (name: string) => {
    return new SQS.Queue({
        QueueName: Fn.Join('-', [Fn.Ref('DeployEnv'), name, 'queue']),
        RedrivePolicy: {
            maxReceiveCount: 4,
            deadLetterTargetArn: Fn.GetAtt('DefaultDeadLetterQueue', 'Arn')
        }
    })
}

cloudform({
    Resources: {
        Queue1: defineQueue("first"),
        Queue2: defineQueue("second"),
        // ...
        QueueN: defineQueue("nth")
    }
})
Enter fullscreen mode Exit fullscreen mode

Get rid of static FindInMap

It often makes sense to have some common configuration values grouped together and possibly different depending on some parameter, for example a deployment environment like staging vs. production. In a pure JSON template we can use Fn::FindInMap to reach the desired value where it is needed. We need to pass all the keys as a path to our value, possibly using parameter references (Ref) or other variables. But if our path is static, with cloudform we might get rid of verbose map accessing and replace it with a native TypeScript object instead.

So instead of:

{
  "Mappings": {
    "NetworkingConfig": {
      "VPC": {
        "CIDR": "0.0.0.0/16"
      }
    }
  },
  "Resources": {
    "VPC": {
      "Type": "AWS::EC2::VPC",
      "Properties": {
        "CidrBlock": {
          "Fn::FindInMap": [
            "NetworkingConfig",
            "VPC",
            "CIDR"
          ]
        }
      }
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

we might create this mapping in TypeScript directly:

const NetworkingConfig = {
    VPC: {
        CIDR: "0.0.0.0/16"
    }
}

cloudform({
    Resources: new EC2.VPC({
        CidrBlock: NetworkingConfig.VPC.CIDR
    })
})
Enter fullscreen mode Exit fullscreen mode

Split into multiple files

Nobody likes large source files. And complex environment definitions tend to grow large. In pure JSON, we are not able to split the file easily. There is an option to import external snippets, but it requires the snippet to be located on S3. Kind of cumbersome if we want to properly keep our infrastructure in source control and be serious in our infrastructure-as-code approach.

With cloudform we are in the TypeScript world and nothing should stop us from treating parts of our template as TypeScript modules that can be imported into the final template. It might make sense to separate our networking stack module from the instances module and from the database module etc. – where each module might keep all the resources logically bound together – database access-related security groups might be defined together with the database, but ECS-related security groups might be defined together with the containers.

Let's look at the database module example, database.ts:

export default {
  DatabaseInstanceParameters: new RDS.DBParameterGroup({
    Family: "postgres9.6"
  }),
  DatabaseInstance: new RDS.DBInstance({
    DBName: Fn.Join('-', ['db', Fn.Ref('DeployEnv')]),
    DBParameterGroupName: Fn.Ref('DatabaseInstanceParameters'),
    VPCSecurityGroups: [
        Fn.GetAtt('DatabaseSecurityGroup', 'GroupId')
    ]
    // ...
  }),
  DatabaseSecurityGroup: new EC2.SecurityGroup({
    // ...
  })
}
Enter fullscreen mode Exit fullscreen mode

And its usage within the actual template:

import databaseResources from './database'

cloudform({
  Resources: Object.assign({}, databaseResources, /* and possibly more */)
})
Enter fullscreen mode Exit fullscreen mode

Forget the actual JSON at all

With all the cloudform goodies around, we might forget the existence of the JSON file within our sources. It might make sense to generate it on the fly as a part of our build or deployment process. How about adding the template generation task to our NPM scripts:

{
  "generate-aws-template": "cloudform cloudformation/index.ts > .build/template.out",
  "deploy": "npm run generate-aws-template && <proceed with deployment using .build/template.out>"
}
Enter fullscreen mode Exit fullscreen mode

There are probably a lot of other creative ways to use cloudform to simplify and manage our AWS CloudFormation templates. Feel free to share your ideas!

Originally published at brightinventions.pl

By Adam Bar, The Web Guy @ Bright Inventions
Personal blog Twitter Email Github

Top comments (0)