Awscdk
Awscdk
Kit (CDK) v2
Developer Guide
Version 2
AWS Cloud Development Kit (CDK) v2 Developer Guide
Amazon's trademarks and trade dress may not be used in connection with any product or service that is not
Amazon's, in any manner that is likely to cause confusion among customers, or in any manner that disparages or
discredits Amazon. All other trademarks not owned by Amazon are the property of their respective owners, who may
or may not be affiliated with, connected to, or sponsored by Amazon.
AWS Cloud Development Kit (CDK) v2 Developer Guide
Table of Contents
What is the AWS CDK? ....................................................................................................................... 1
Why use the AWS CDK? .............................................................................................................. 2
Developing with the AWS CDK ..................................................................................................... 6
The Construct Programming Model .............................................................................................. 6
Additional documentation and resources ....................................................................................... 6
Resources for serverless apps with CDK ................................................................................ 7
Contributing to the AWS CDK ...................................................................................................... 7
About Amazon Web Services ....................................................................................................... 7
Getting started .................................................................................................................................. 8
Your background ........................................................................................................................ 8
Key concepts ............................................................................................................................. 8
Supported programming languages ............................................................................................ 10
Prerequisites ............................................................................................................................ 11
Install the AWS CDK ................................................................................................................. 13
Bootstrapping .......................................................................................................................... 13
AWS CDK tools ........................................................................................................................ 13
Next steps ............................................................................................................................... 14
Your first AWS CDK app ............................................................................................................ 14
Create the app ................................................................................................................. 15
Build the app ................................................................................................................... 16
List the stacks in the app .................................................................................................. 16
Add an Amazon S3 bucket ................................................................................................ 17
Synthesize an AWS CloudFormation template ...................................................................... 19
Deploying the stack .......................................................................................................... 19
Modifying the app ............................................................................................................ 20
Destroying the app's resources ........................................................................................... 24
Next steps ....................................................................................................................... 24
Working with the AWS CDK ............................................................................................................... 25
AWS CDK prerequisites ............................................................................................................. 25
Language-specific prerequisites .......................................................................................... 25
AWS Construct Library .............................................................................................................. 26
Interfaces vs. construct classes ........................................................................................... 27
In TypeScript ........................................................................................................................... 28
Prerequisites .................................................................................................................... 28
Creating a project ............................................................................................................. 28
Using local tsc and cdk ................................................................................................... 28
Managing AWS Construct Library modules .......................................................................... 29
AWS CDK idioms in TypeScript ........................................................................................... 30
Building, synthesizing, and deploying .................................................................................. 31
In JavaScript ............................................................................................................................ 31
Prerequisites .................................................................................................................... 32
Creating a project ............................................................................................................. 32
Using local cdk ................................................................................................................ 28
Managing AWS Construct Library modules .......................................................................... 33
AWS CDK idioms in JavaScript ........................................................................................... 34
Synthesizing and deploying ............................................................................................... 35
Using TypeScript examples with JavaScript .......................................................................... 35
Migrating to TypeScript ..................................................................................................... 37
In Python ................................................................................................................................ 38
Prerequisites .................................................................................................................... 38
Creating a project ............................................................................................................. 38
Managing AWS Construct Library modules .......................................................................... 39
AWS CDK idioms in Python ............................................................................................... 40
Synthesizing and deploying ............................................................................................... 42
Version 2
iii
AWS Cloud Development Kit (CDK) v2 Developer Guide
In Java .................................................................................................................................... 43
Prerequisites .................................................................................................................... 43
Creating a project ............................................................................................................. 43
Managing AWS Construct Library modules .......................................................................... 44
AWS CDK idioms in Java ................................................................................................... 44
Building, synthesizing, and deploying .................................................................................. 46
In C# ...................................................................................................................................... 46
Prerequisites .................................................................................................................... 46
Creating a project ............................................................................................................. 47
Managing AWS Construct Library modules .......................................................................... 47
AWS CDK idioms in C# ...................................................................................................... 49
Building, synthesizing, and deploying .................................................................................. 50
In Go ...................................................................................................................................... 51
Prerequisites .................................................................................................................... 51
Creating a project ............................................................................................................. 51
Managing AWS Construct Library modules .......................................................................... 52
AWS CDK idioms in Go ..................................................................................................... 52
Building, synthesizing, and deploying .................................................................................. 54
Migrating to AWS CDK v2 ................................................................................................................. 55
New prerequisites ..................................................................................................................... 56
Upgrading from AWS CDK v2 Developer Preview .......................................................................... 56
Migrating from AWS CDK v1 to CDK v2 ...................................................................................... 57
Updating feature flags ...................................................................................................... 57
CDK Toolkit compatibility .................................................................................................. 57
Updating dependencies and imports ................................................................................... 58
Troubleshooting ....................................................................................................................... 61
Translating from TypeScript ............................................................................................................... 63
Importing a module ................................................................................................................. 63
Instantiating a construct ........................................................................................................... 65
Accessing members .................................................................................................................. 67
Enum constants ....................................................................................................................... 67
Object interfaces ...................................................................................................................... 67
Concepts ......................................................................................................................................... 69
Constructs ............................................................................................................................... 69
AWS Construct library ....................................................................................................... 69
Composition .................................................................................................................... 70
Initialization ..................................................................................................................... 70
Apps and stacks ............................................................................................................... 70
Using L1 constructs .......................................................................................................... 73
Using L2 constructs .......................................................................................................... 75
Configuration ................................................................................................................... 76
Interacting with constructs ................................................................................................ 77
Writing your own constructs .............................................................................................. 79
The construct tree ............................................................................................................ 84
Apps ....................................................................................................................................... 85
The app construct ............................................................................................................ 86
App lifecycle .................................................................................................................... 88
Cloud assemblies .............................................................................................................. 89
Stacks ..................................................................................................................................... 90
Stack API ......................................................................................................................... 96
Nested stacks ................................................................................................................... 96
Environments ........................................................................................................................... 97
Resources .............................................................................................................................. 103
Resource attributes ......................................................................................................... 104
Referencing resources ..................................................................................................... 105
Accessing resources in a different stack ............................................................................. 106
Physical names ............................................................................................................... 108
Version 2
iv
AWS Cloud Development Kit (CDK) v2 Developer Guide
Version 2
v
AWS Cloud Development Kit (CDK) v2 Developer Guide
Version 2
vi
AWS Cloud Development Kit (CDK) v2 Developer Guide
Version 2
vii
AWS Cloud Development Kit (CDK) v2 Developer Guide
Version 2
viii
AWS Cloud Development Kit (CDK) v2 Developer Guide
The AWS CDK lets you build reliable, scalable, cost-effective applications in the cloud with the
considerable expressive power of a programming language. This approach yields many benefits,
including:
• Build with high-level constructs that automatically provide sensible, secure defaults for your AWS
resources, defining more infrastructure with less code.
• Use programming idioms like parameters, conditionals, loops, composition, and inheritance to model
your system design from building blocks provided by AWS and others.
• Put your infrastructure, application code, and configuration all in one place, ensuring that at every
milestone you have a complete, cloud-deployable system.
• Employ software engineering practices such as code reviews, unit tests, and source control to make
your infrastructure more robust.
• Connect your AWS resources together (even across stacks) and grant permissions using simple, intent-
oriented APIs.
• Import existing AWS CloudFormation templates to give your resources a CDK API.
• Use the power of AWS CloudFormation to perform infrastructure deployments predictably and
repeatedly, with rollback on error.
• Easily share infrastructure design patterns among teams within your organization or even with the
public.
The AWS CDK supports TypeScript, JavaScript, Python, Java, C#/.Net, and (in developer preview)
Go. Developers can use one of these supported programming languages to define reusable cloud
components known as Constructs (p. 69). You compose these together into Stacks (p. 90) and
Apps (p. 85).
Version 2
1
AWS Cloud Development Kit (CDK) v2 Developer Guide
Why use the AWS CDK?
TypeScript
Version 2
2
AWS Cloud Development Kit (CDK) v2 Developer Guide
Why use the AWS CDK?
JavaScript
module.exports = { MyEcsConstructStack }
Python
class MyEcsConstructStack(Stack):
ecs_patterns.ApplicationLoadBalancedFargateService(self, "MyFargateService",
cluster=cluster, # Required
cpu=512, # Default is 256
desired_count=6, # Default is 1
task_image_options=ecs_patterns.ApplicationLoadBalancedTaskImageOptions(
image=ecs.ContainerImage.from_registry("amazon/amazon-ecs-sample")),
memory_limit_mib=2048, # Default is 512
public_load_balancer=True) # Default is False
Java
Version 2
3
AWS Cloud Development Kit (CDK) v2 Developer Guide
Why use the AWS CDK?
StackProps props) {
super(scope, id, props);
ApplicationLoadBalancedFargateService.Builder.create(this, "MyFargateService")
.cluster(cluster)
.cpu(512)
.desiredCount(6)
.taskImageOptions(
ApplicationLoadBalancedTaskImageOptions.builder()
.image(ContainerImage
.fromRegistry("amazon/amazon-ecs-sample"))
.build()).memoryLimitMiB(2048)
.publicLoadBalancer(true).build();
}
}
C#
This class produces an AWS CloudFormation template of more than 500 lines; deploying the AWS CDK
app produces more than 50 resources of the following types.
• AWS::EC2::EIP
• AWS::EC2::InternetGateway
• AWS::EC2::NatGateway
• AWS::EC2::Route
Version 2
4
AWS Cloud Development Kit (CDK) v2 Developer Guide
Why use the AWS CDK?
• AWS::EC2::RouteTable
• AWS::EC2::SecurityGroup
• AWS::EC2::Subnet
• AWS::EC2::SubnetRouteTableAssociation
• AWS::EC2::VPCGatewayAttachment
• AWS::EC2::VPC
• AWS::ECS::Cluster
• AWS::ECS::Service
• AWS::ECS::TaskDefinition
• AWS::ElasticLoadBalancingV2::Listener
• AWS::ElasticLoadBalancingV2::LoadBalancer
• AWS::ElasticLoadBalancingV2::TargetGroup
• AWS::IAM::Policy
• AWS::IAM::Role
• AWS::Logs::LogGroup
And let's not forget... code completion within your IDE or editor!
Version 2
5
AWS Cloud Development Kit (CDK) v2 Developer Guide
Developing with the AWS CDK
The AWS CDK Toolkit (p. 278) is a command line tool for interacting with CDK apps. It enables
developers to synthesize artifacts such as AWS CloudFormation templates, deploy stacks to development
AWS accounts, and diff against a deployed stack to understand the impact of a code change.
The AWS Construct Library (p. 69) offers constructs for each AWS service, many with "rich" APIs that
provide high-level abstractions. The aim of the AWS Construct Library is to reduce the complexity and
glue logic required when integrating various AWS services to achieve your goals on AWS.
Note
There is no charge for using the AWS CDK, but you might incur AWS charges for creating or
using AWS chargeable resources, such as running Amazon EC2 instances or using Amazon
S3 storage. Use the AWS Pricing Calculator to estimate charges for the use of various AWS
resources.
Construct Hub is an online registry where you can find and publish construct libraries for CDKs like the
AWS CDK.
• API Reference
• AWS CDK Workshop
• cdk.dev community hub, including a Slack channel
• AWS CDK Examples
• CDK Patterns
• Awesome CDK
• AWS Solutions Constructs
• AWS Developer Blog CDK category
• Stack Overflow
• GitHub Repository
• Issues
• Examples
• Documentation Source
Version 2
6
AWS Cloud Development Kit (CDK) v2 Developer Guide
Resources for serverless apps with CDK
• License
• Releases
• AWS CDK OpenPGP key (p. 331)
• JSII OpenPGP key (p. 332)
• AWS CDK Sample for Cloud9
• AWS CloudFormation Concepts
• AWS Glossary
AWS uses a pay-as-you-go service model. You are charged only for the services that you — or your
applications — use. Also, to make AWS useful as a platform for prototyping and experimentation, AWS
offers a free usage tier, in which services are free below a certain level of usage. For more information
about AWS costs and the free usage tier, see Test-Driving AWS in the Free Usage Tier.
To obtain an AWS account, go to aws.amazon.com, and then choose Create an AWS Account.
Version 2
7
AWS Cloud Development Kit (CDK) v2 Developer Guide
Your background
Your background
The AWS Cloud Development Kit (CDK) lets you define your cloud infrastructure as code in one of its
supported programming languages. It is intended for moderately to highly experienced AWS users.
Ideally, you already have experience with popular AWS services, particularly AWS Identity and Access
Management (IAM). You might already have AWS credentials on your workstation for use with an AWS
SDK or the AWS CLI and experience working with AWS resources programmatically.
Familiarity with AWS CloudFormation is also useful, as the output of an AWS CDK program is an AWS
CloudFormation template.
Finally, you should be proficient in the programming language you intend to use with the AWS CDK.
Key concepts
The AWS CDK is designed around a handful of important concepts. We will introduce a few of these here
briefly. Follow the links to learn more, or see the Concepts topics in this guide's Table of Contents.
An AWS CDK app (p. 85) is an application written in TypeScript, JavaScript, Python, Java, or C# that
uses the AWS CDK to define AWS infrastructure. An app defines one or more stacks (p. 90). Stacks
(equivalent to AWS CloudFormation stacks) contain constructs (p. 69), each of which defines one
or more concrete AWS resources, such as Amazon S3 buckets, Lambda functions, Amazon DynamoDB
tables, and so on.
Note
The AWS CDK also supports Go in a developer preview. This Guide does not include instructions
or code examples for Go aside from the section called “In Go” (p. 51).
Constructs (as well as stacks and apps) are represented as classes (types) in your programming language
of choice. You instantiate constructs within a stack to declare them to AWS, and connect them to each
other using well-defined interfaces.
The AWS CDK includes the CDK Toolkit (also called the CLI), a command-line tool for working with your
AWS CDK apps and stacks. Among other functions, the Toolkit provides the ability to convert one or
more AWS CDK stacks to AWS CloudFormation templates and related assets (a process called synthesis)
and to deploy your stacks to an AWS account.
The AWS CDK includes a library of AWS constructs called the AWS Construct Library, organized into
various modules. The library contains constructs for each AWS service. The main CDK package is called
aws-cdk-lib, and it contains the majority of the AWS Construct Library, along with base classes like
Stack and App used in most CDK applications.
The actual package name of the main CDK package varies by language.
TypeScript
Version 2
8
AWS Cloud Development Kit (CDK) v2 Developer Guide
Key concepts
JavaScript
Python
Java
C#
• AWS CloudFormation-only or L1 (short for "layer 1"). These constructs correspond directly to resource
types defined by AWS CloudFormation. In fact, these constructs are automatically generated from the
AWS CloudFormation specification, so when a new AWS service is launched, the AWS CDK supports it a
short time after AWS CloudFormation does.
AWS CloudFormation resources always have names that begin with Cfn. For example, for the Amazon
S3 service, CfnBucket is the L1 construct for an Amazon S3 bucket.
Libraries may also define supporting resources needed by the primary L2 resource. Some services have
more than one L2 namespace in the Construct Library for organizational purposes.
aws-cdk-lib contains L2 constructs that are designated stable, i.e., ready for production use. If
a service's L2 support is still under development, its constructs are designated experimental and
provided in a separate module.
Version 2
9
AWS Cloud Development Kit (CDK) v2 Developer Guide
Supported programming languages
• Patterns or L3. Patterns declare multiple resources to create entire AWS architectures for particular
use cases. All the plumbing is already hooked up, and configuration is boiled down to a few important
parameters.
As with L2 constructs, L3 constructs that are ready for production use (stable) are included in aws-
cdk-lib, while those still under development are in separate modules.
Finally, the constructs package contains the Construct base class. It's in its own package because it is
used not only by the AWS CDK but also by other construct-based tools, including CDK for Terraform and
CDK for Kubernetes.
Numerous third parties have also published constructs compatible with the AWS CDK. Visit Construct
Hub to explore the AWS CDK construct ecosystem.
To facilitate supporting so many languages, the AWS CDK is developed in one language (TypeScript) and
language bindings are generated for the other languages through the use of a tool called JSII.
We have taken pains to make AWS CDK app development in each language follow that language's usual
conventions, so writing AWS CDK apps feels natural, not like writing TypeScript in Python (for example).
Take a look:
TypeScript
JavaScript
Python
Java
Version 2
10
AWS Cloud Development Kit (CDK) v2 Developer Guide
Prerequisites
C#
Note
These code snippets are intended for illustration only. They are incomplete and won't run as
they are.
The AWS Construct Library is distributed using each language's standard package management tools,
including NPM, PyPi, Maven, and NuGet. There's even a version of the AWS CDK API Reference for each
language.
To help you use the AWS CDK in your favorite language, this Guide includes topics that explain how to
use the AWS CDK in all supported languages.
TypeScript was the first language supported by the AWS CDK, and much AWS CDK example code is
written in TypeScript. This Guide includes a topic specifically to show how to adapt TypeScript AWS CDK
code for use with the other supported languages. See Translating from TypeScript (p. 63).
Prerequisites
Here's what you need to install to use the AWS CDK.
All AWS CDK developers, even those working in Python, Java, or C#, need Node.js 10.13.0 or later.
All supported languages use the same back end, which runs on Node.js. We recommend a version in
active long-term support, which, at this writing, is the latest 16.x release. Your organization may have a
different recommendation.
Important
Node.js versions 13.0.0 through 13.6.0 are not compatible with the AWS CDK due to
compatibility issues with its dependencies.
You must configure your workstation with your credentials and an AWS region, if you have not already
done so. If you have the AWS CLI installed, the easiest way to satisfy this requirement is issue the
following command:
aws configure
Provide your AWS access key ID, secret access key, and default region when prompted.
You may also manually create or edit the ~/.aws/config and ~/.aws/credentials (macOS/Linux)
or %USERPROFILE%\.aws\config and %USERPROFILE%\.aws\credentials (Windows) files to
contain credentials and a default region, in the following format.
Version 2
11
AWS Cloud Development Kit (CDK) v2 Developer Guide
Prerequisites
• In ~/.aws/config or %USERPROFILE%\.aws\config
[default]
region=us-west-2
• In ~/.aws/credentials or %USERPROFILE%\.aws\credentials
[default]
aws_access_key_id=AKIAI44QH8DHBEXAMPLE
aws_secret_access_key=je7MtGbClwBF/2Zp9Utk/h3yCo8nvbEXAMPLEKEY
Note
Although the AWS CDK uses credentials from the same configuration files as other AWS tools
and SDKs, including the AWS Command Line Interface, it may behave slightly differently from
these tools. In particular, if you use a named profile from the credentials file, the config
must have a profile of the same name specifying the region. The AWS CDK does not fall back
to reading the region from the [default] section in config. Also, do not use a profile named
"default" (e.g. [profile default]). See Setting credentials for complete details on setting up
credentials for the AWS SDK for JavaScript, which the AWS CDK uses under the hood.
AWS CDK does not natively support Single Sign-On (SSO). To use SSO with the CDK, use a tool
such as yawsso.
Other prerequisites depend on the language in which you develop AWS CDK applications and are as
follows.
TypeScript
JavaScript
No additional requirements
Python
Java
Java IDE recommended (we use Eclipse in some examples in this Developer Guide). IDE must be able
to import Maven projects. Check to make sure your project is set to use Java 1.8. Set the JAVA_HOME
environment variable to the path where you have installed the JDK.
C#
Version 2
12
AWS Cloud Development Kit (CDK) v2 Developer Guide
Install the AWS CDK
Run the following command to verify correct installation and print the version number of the AWS CDK.
cdk --version
Note
CDK Toolkit; v2 works with your existing CDK v1 projects. However, it can't initialize new CDK; v1
projects. See the section called “New prerequisites” (p. 56) if you need to be able to do that.
Bootstrapping
Many AWS CDK stacks that you write will include assets (p. 143): external files that are deployed
with the stack, such as AWS Lambda functions or Docker images. The AWS CDK uploads these to an
Amazon S3 bucket or other container so they are available to AWS CloudFormation during deployment.
Deployment requires that these containers already exist in the account and region you are deploying
into. Creating them is called bootstrapping (p. 180). To bootstrap, issue:
Tip
If you don't have your AWS account number handy, you can get it from the AWS Management
Console. Or, if you have the AWS CLI installed, the following command displays your default
account information, including the account number.
If you have created named profiles in your local AWS configuration, you can use the --profile
option to display the account information for a specific profile's account, such as the prod profile
as shown here.
Version 2
13
AWS Cloud Development Kit (CDK) v2 Developer Guide
Next steps
The AWS Toolkit for Visual Studio Code is an open-source plug-in for Visual Studio Code that makes it
easier to create, debug, and deploy applications on AWS. The toolkit provides an integrated experience
for developing AWS CDK applications, including the AWS CDK Explorer feature to list your AWS CDK
projects and browse the various components of the CDK application. Install the plug-in and learn more
about using the AWS CDK Explorer.
Next steps
Where do you go now that you've dipped your toes in the AWS CDK?
• Come on in; the water's fine! Build your first AWS CDK app (p. 14).
• Try the CDK Workshop for a more in-depth tour involving a more complex project.
• See the API reference to begin exploring the provided constructs available for your favorite AWS
services.
• Visit the Construct Hub to find constructs from the CDK community as well as from AWS.
• Dig deeper into concepts like the section called “Environments” (p. 97), the section
called “Assets” (p. 143), the section called “Bootstrapping” (p. 180), the section
called “Permissions” (p. 157), the section called “Context” (p. 164), the section called
“Parameters” (p. 133), and the section called “Escape hatches” (p. 173).
• Explore Examples of using the AWS CDK.
In this tutorial, you'll learn about the structure of a AWS CDK project, how to use the AWS Construct
Library to define AWS resources using code, and how to synthesize, diff, and deploy collections of
resources using the AWS CDK Toolkit command-line tool.
The standard AWS CDK development workflow is similar to the workflow you're already familiar with as a
developer, just with a few extra steps.
The build step catches syntax and type errors. The synthesis step catches logical errors in defining your
AWS resources. The deployment may find permission issues. As always, you go back to the code, find the
problem, fix it, then build, synthesize and deploy again.
Tip
Don't forget to keep your AWS CDK code under version control!
Version 2
14
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create the app
This tutorial walks you through creating and deploying a simple AWS CDK app, from initializing the
project to deploying the resulting AWS CloudFormation template. The app contains one stack, which
contains one resource: an Amazon S3 bucket.
We'll also show what happens when you make a change and re-deploy, and how to clean up when you're
done.
mkdir hello-cdk
cd hello-cdk
Now initialize the app using the cdk init command, specifying the desired template ("app") and
programming language. That is:
TypeScript
JavaScript
Python
After the app has been created, also enter the following two commands to activate the app's Python
virtual environment and install the AWS CDK core dependencies.
source .venv/bin/activate
python -m pip install -r requirements.txt
Java
If you are using an IDE, you can now open or import the project. In Eclipse, for example, choose File
> Import > Maven > Existing Maven Projects. Make sure that the project settings are set to use Java
8 (1.8).
C#
If you are using Visual Studio, open the solution file in the src directory.
Version 2
15
AWS Cloud Development Kit (CDK) v2 Developer Guide
Build the app
Tip
If you don't specify a template, the default is "app," which is the one we wanted anyway, so
technically you can leave it out and save four keystrokes.
The cdk init command creates a number of files and folders inside the hello-cdk directory to help you
organize the source code for your AWS CDK app. Take a moment to explore. The structure of a basic app
is all there; you'll fill in the details in this tutorial.
If you have Git installed, each project you create using cdk init is also initialized as a Git repository. We'll
ignore that for now, but it's there when you need it.
TypeScript
JavaScript
mvn compile -q
Note
If your project was created with an older version of the AWS CDK Toolkit, it may not
automatically build when you run it. If changes you make in your code fail to be reflected in the
synthesized template, try a manual build. Make sure you are using the latest available version of
the AWS CDK for this tutorial.
cdk ls
If you don't see HelloCdkStack, make sure you named your app's directory hello-cdk. If you didn't,
go back to the section called “Create the app” (p. 15) and try again.
Version 2
16
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add an Amazon S3 bucket
The CDK's Amazon S3 support is part of its main library, aws-cdk-lib, so we don't need to install
another library. We can just define an Amazon S3 bucket in the stack using the Bucket construct.
TypeScript
In lib/hello-cdk-stack.ts:
JavaScript
In lib/hello-cdk-stack.js:
module.exports = { HelloCdkStack }
Python
In hello_cdk/hello_cdk_stack.py:
class HelloCdkStack(cdk.Stack):
Java
In src/main/java/com/myorg/HelloCdkStack.java:
Version 2
17
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add an Amazon S3 bucket
package com.myorg;
import software.amazon.awscdk.*;
import software.amazon.awscdk.services.s3.Bucket;
public HelloCdkStack(final App scope, final String id, final StackProps props) {
super(scope, id, props);
Bucket.Builder.create(this, "MyFirstBucket")
.versioned(true).build();
}
}
C#
In src/HelloCdk/HelloCdkStack.cs:
using Amazon.CDK;
using Amazon.CDK.AWS.S3;
namespace HelloCdk
{
public class HelloCdkStack : Stack
{
public HelloCdkStack(App scope, string id, IStackProps props=null) :
base(scope, id, props)
{
new Bucket(this, "MyFirstBucket", new BucketProps
{
Versioned = true
});
}
}
}
Bucket is the first construct we've seen, so let's take a closer look. Like all constructs, the Bucket class
takes three parameters.
• scope: Tells the bucket that the stack is its parent: it is defined within the scope of the stack. You can
define constructs inside of constructs, creating a hierarchy (tree). Here, and in most cases, the scope is
this (self in Python), meaning the construct that contains the bucket: the stack.
• Id: The logical ID of the Bucket within your AWS CDK app. This (plus a hash based on the bucket's
location within the stack) uniquely identifies the bucket across deployments so the AWS CDK can
update it if you change how it's defined in your app. Here it is "MyFirstBucket." Buckets can also have a
name, which is separate from this ID (it's the bucketName property).
• props: A bundle of values that define properties of the bucket. Here we've defined only one property:
versioned, which enables versioning for the files in the bucket.
All constructs take these same three arguments, so it's easy to stay oriented as you learn about new ones.
And as you might expect, you can subclass any construct to extend it to suit your needs, or just to change
its defaults.
Tip
If a construct's props are all optional, you can omit the props parameter entirely.
Version 2
18
AWS Cloud Development Kit (CDK) v2 Developer Guide
Synthesize an AWS CloudFormation template
Props are represented differently in the languages supported by the AWS CDK.
• In TypeScript and JavaScript, props is a single argument and you pass in an object containing the
desired properties.
• In Python, props are passed as keyword arguments.
• In Java, a Builder is provided to pass the props. Two, actually; one for BucketProps, and a second for
Bucket to let you build the construct and its props object in one step. This code uses the latter.
• In C#, you instantiate a BucketProps object using an object initializer and pass it as the third
parameter.
cdk synth
If your app contained more than one stack, you'd need to specify which stack(s) to synthesize. But since it
only contains one, the CDK Toolkit knows you must mean that one.
Tip
If you received an error like --app is required..., it's probably because you are running the
command from a subdirectory. Navigate to the main app directory and try again.
The cdk synth command executes your app, which causes the resources defined in it to be translated
into an AWS CloudFormation template. The displayed output of cdk synth is a YAML-format template;
the beginning of our app's output is shown below. The template is also saved in the cdk.out directory in
JSON format.
Resources:
MyFirstBucketB8884501:
Type: AWS::S3::Bucket
Properties:
VersioningConfiguration:
Status: Enabled
UpdateReplacePolicy: Retain
DeletionPolicy: Retain
Metadata:...
Even if you aren't very familiar with AWS CloudFormation, you should be able to find the definition for
the bucket and see how the versioned property was translated.
Note
Every generated template contains a AWS::CDK::Metadata resource by default. (We haven't
shown it here.) The AWS CDK team uses this metadata to gain insight into how the AWS CDK
is used, so we can continue to improve it. For details, including how to opt out of version
reporting, see Version reporting (p. 280).
The cdk synth generates a perfectly valid AWS CloudFormation template. You could take it and deploy
it using the AWS CloudFormation console or another tool. But the AWS CDK Toolkit can also do that.
cdk deploy
Version 2
19
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the app
As with cdk synth, you don't need to specify the name of the stack since there's only one in the app.
It is optional (though good practice) to synthesize before deploying. The AWS CDK synthesizes your stack
before each deployment.
If your code has security implications, you'll see a summary of these and need to confirm them before
deployment proceeds. This isn't the case in our stack.
cdk deploy displays progress information as your stack is deployed. When it's done, the command
prompt reappears. You can go to the AWS CloudFormation console and see that it now lists
HelloCdkStack. You'll also find MyFirstBucket in the Amazon S3 console.
You've deployed your first stack using the AWS CDK—congratulations! But that's not all there is to the
AWS CDK.
TypeScript
Update lib/hello-cdk-stack.ts.
JavaScript
Update lib/hello-cdk-stack.js.
Python
Update hello_cdk/hello_cdk_stack.py.
Java
Update src/main/java/com/myorg/HelloCdkStack.java.
Bucket.Builder.create(this, "MyFirstBucket")
Version 2
20
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the app
.versioned(true)
.removalPolicy(RemovalPolicy.DESTROY)
.autoDeleteObjects(true)
.build();
C#
Update src/HelloCdk/HelloCdkStack.cs.
Here, we haven't written any code that, in itself, changes our Amazon S3 bucket. Instead, our
code defines the desired state of the bucket. The AWS CDK synthesizes that state to a new AWS
CloudFormation template and deploys a changeset that makes only the changes necessary to reach that
state.
cdk diff
The AWS CDK Toolkit queries your AWS account for the last-deployed AWS CloudFormation template for
the HelloCdkStack and compares it with the template it just synthesized from your app. The output
should look like the following.
Stack HelloCdkStack
IAM Statement Changes
#######################################################################################################
# # Resource # Effect # Action # Principal
# Condition #
#######################################################################################################
# + # ${Custom::S3AutoDeleteObject # Allow # sts:AssumeRole #
Service:lambda.amazonaws.com # #
# # sCustomResourceProvider/Role # # #
# #
# # .Arn} # # #
# #
#######################################################################################################
# + # ${MyFirstBucket.Arn} # Allow # s3:DeleteObject* # AWS:
${Custom::S3AutoDeleteOb # #
# # ${MyFirstBucket.Arn}/* # # s3:GetBucket* #
jectsCustomResourceProvider/ # #
# # # # s3:GetObject* # Role.Arn}
# #
# # # # s3:List* #
# #
#######################################################################################################
IAM Policy Changes
#######################################################################################################
# # Resource # Managed Policy ARN
#
#######################################################################################################
# + # ${Custom::S3AutoDeleteObjectsCustomResourceProvider/Ro # {"Fn::Sub":"arn:
${AWS::Partition}:iam::aws:policy/serv #
# # le} # ice-role/
AWSLambdaBasicExecutionRole"} #
Version 2
21
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the app
#######################################################################################################
(NOTE: There may be security-related changes not in this list. See https://github.com/aws/
aws-cdk/issues/1299)
Parameters
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/S3Bucket
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392S3BucketBF7A7F3F:
{"Type":"String","Description":"S3 bucket for asset
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/
S3VersionKey
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392S3VersionKeyFAF93626:
{"Type":"String","Description":"S3 key for asset version
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/
ArtifactHash
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392ArtifactHashE56CD69A:
{"Type":"String","Description":"Artifact hash for asset
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
Resources
[+] AWS::S3::BucketPolicy MyFirstBucket/Policy MyFirstBucketPolicy3243DEFD
[+] Custom::S3AutoDeleteObjects MyFirstBucket/AutoDeleteObjectsCustomResource
MyFirstBucketAutoDeleteObjectsCustomResourceC52FCF6E
[+] AWS::IAM::Role Custom::S3AutoDeleteObjectsCustomResourceProvider/Role
CustomS3AutoDeleteObjectsCustomResourceProviderRole3B1BD092
[+] AWS::Lambda::Function Custom::S3AutoDeleteObjectsCustomResourceProvider/Handler
CustomS3AutoDeleteObjectsCustomResourceProviderHandler9D90184F
[~] AWS::S3::Bucket MyFirstBucket MyFirstBucketB8884501
## [~] DeletionPolicy
# ## [-] Retain
# ## [+] Delete
## [~] UpdateReplacePolicy
## [-] Retain
## [+] Delete
• IAM Statement Changes and IAM Policy Changes - These permission changes are there because we
set the AutoDeleteObjects property on our Amazon S3 bucket. The auto-delete feature uses a
custom resource to delete the objects in the bucket before the bucket itself is deleted. The IAM objects
grant the custom resource's code access to the bucket.
• Parameters - The AWS CDK uses these entries to locate the Lambda function asset for the custom
resource.
• Resources - The new and changed resources in this stack. We can see the aforementioned IAM objects,
the custom resource, and its associated Lambda function being added. We can also see that the
bucket's DeletionPolicy and UpdateReplacePolicy attributes are being updated. These allow
the bucket to be deleted along with the stack, and to be replaced with a new one.
You may be curious about why we specified RemovalPolicy in our AWS CDK app but got a
DeletionPolicy property in the resulting AWS CloudFormation template. The AWS CDK uses
a different name for the property because the AWS CDK default is to retain the bucket when the
stack is deleted, while AWS CloudFormation's default is to delete it. See the section called “Removal
policies” (p. 120) for further details.
It's informative to compare the output of cdk synth here with the previous output and see the many
additional lines of AWS CloudFormation template that the AWS CDK generated for us based on these
relatively small changes.
Version 2
22
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the app
Important
Since the autoDeleteObjects property is implemented using a AWS CloudFormation
custom resource, which is implemented using an AWS Lambda function, our stack contains an
asset (p. 143). This fact requires that our AWS account and region be bootstrapped (p. 180)
so that there's an Amazon S3 bucket to hold the asset during deployment. If you haven't already
bootstrapped, issue:
cdk deploy
The AWS CDK warns you about the security policy changes we've already seen in the diff. Enter y to
approve the changes and deploy the updated stack. The CDK Toolkit updates the bucket configuration as
you requested.
HelloCdkStack: deploying...
[0%] start: Publishing
4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392:current
[100%] success: Published
4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392:current
HelloCdkStack: creating CloudFormation changeset...
0/5 | 4:32:31 PM | UPDATE_IN_PROGRESS | AWS::CloudFormation::Stack | HelloCdkStack User
Initiated
0/5 | 4:32:36 PM | CREATE_IN_PROGRESS | AWS::IAM::Role
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Role
(CustomS3AutoDeleteObjectsCustomResourceProviderRole3B1BD092)
1/5 | 4:32:36 PM | UPDATE_COMPLETE | AWS::S3::Bucket | MyFirstBucket
(MyFirstBucketB8884501)
1/5 | 4:32:36 PM | CREATE_IN_PROGRESS | AWS::IAM::Role
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Role
(CustomS3AutoDeleteObjectsCustomResourceProviderRole3B1BD092) Resource creation Initiated
3/5 | 4:32:54 PM | CREATE_COMPLETE | AWS::IAM::Role
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Role
(CustomS3AutoDeleteObjectsCustomResourceProviderRole3B1BD092)
3/5 | 4:32:56 PM | CREATE_IN_PROGRESS | AWS::Lambda::Function
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Handler
(CustomS3AutoDeleteObjectsCustomResourceProviderHandler9D90184F)
3/5 | 4:32:56 PM | CREATE_IN_PROGRESS | AWS::S3::BucketPolicy | MyFirstBucket/
Policy (MyFirstBucketPolicy3243DEFD)
3/5 | 4:32:56 PM | CREATE_IN_PROGRESS | AWS::Lambda::Function
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Handler
(CustomS3AutoDeleteObjectsCustomResourceProviderHandler9D90184F) Resource creation
Initiated
3/5 | 4:32:57 PM | CREATE_COMPLETE | AWS::Lambda::Function
| Custom::S3AutoDeleteObjectsCustomResourceProvider/Handler
(CustomS3AutoDeleteObjectsCustomResourceProviderHandler9D90184F)
3/5 | 4:32:57 PM | CREATE_IN_PROGRESS | AWS::S3::BucketPolicy | MyFirstBucket/
Policy (MyFirstBucketPolicy3243DEFD) Resource creation Initiated
4/5 | 4:32:57 PM | CREATE_COMPLETE | AWS::S3::BucketPolicy | MyFirstBucket/
Policy (MyFirstBucketPolicy3243DEFD)
4/5 | 4:32:59 PM | CREATE_IN_PROGRESS | Custom::S3AutoDeleteObjects
| MyFirstBucket/AutoDeleteObjectsCustomResource/Default
(MyFirstBucketAutoDeleteObjectsCustomResourceC52FCF6E)
5/5 | 4:33:06 PM | CREATE_IN_PROGRESS | Custom::S3AutoDeleteObjects
| MyFirstBucket/AutoDeleteObjectsCustomResource/Default
(MyFirstBucketAutoDeleteObjectsCustomResourceC52FCF6E) Resource creation Initiated
5/5 | 4:33:06 PM | CREATE_COMPLETE | Custom::S3AutoDeleteObjects
| MyFirstBucket/AutoDeleteObjectsCustomResource/Default
(MyFirstBucketAutoDeleteObjectsCustomResourceC52FCF6E)
5/5 | 4:33:08 PM | UPDATE_COMPLETE_CLEA | AWS::CloudFormation::Stack | HelloCdkStack
Version 2
23
AWS Cloud Development Kit (CDK) v2 Developer Guide
Destroying the app's resources
# HelloCdkStack
Stack ARN:
arn:aws:cloudformation:REGION:ACCOUNT:stack/HelloCdkStack/UNIQUE-ID
cdk destroy
Next steps
Where do you go now that you've dipped your toes in the AWS CDK?
• Try the CDK Workshop for a more in-depth tour involving a more complex project.
• Dig deeper into concepts like the section called “Environments” (p. 97), the section called
“Assets” (p. 143), the section called “Permissions” (p. 157), the section called “Context” (p. 164),
the section called “Parameters” (p. 133), and the section called “Escape hatches” (p. 173).
• See the API reference to begin exploring the CDK constructs available for your favorite AWS services.
• Visit Construct Hub to discover constructs created by AWS and others.
• Explore Examples of using the AWS CDK.
Version 2
24
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK prerequisites
We develop the AWS CDK in TypeScript and use JSII to provide a "native" experience in other supported
languages. For example, we distribute AWS Construct Library modules using your preferred language's
standard repository, and you install them using the language's standard package manager. Methods and
properties are even named using your language's recommended naming patterns.
aws configure
All AWS CDK applications require Node.js 10.13 or later, even if you work in Python, Java, or C#. You may
download a compatible version at nodejs.org. We recommend the active LTS version (at this writing, the
latest 16.x release). Node.js versions 13.0.0 through 13.6.0 are not compatible with the AWS CDK due to
compatibility issues with its dependencies.
After installing Node.js, install the AWS CDK Toolkit (the cdk command):
Note
If you get a permission error, and have administrator access on your system, try sudo npm
install -g aws-cdk.
If you get an error message at this point, try uninstalling (npm uninstall -g aws-cdk) and
reinstalling. As a last resort, delete the node-modules folder from the current project as well as the
global node-modules folder. To figure out where this folder is, issue npm config get prefix.
Language-specific prerequisites
The specific language you work in also has its own prerequisites, described in the corresponding topic
listed here.
Version 2
25
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS Construct Library
TypeScript
JavaScript
Python
Java
C#
Note
Experimental constructs are provided as separate modules.
Version 2
26
AWS Cloud Development Kit (CDK) v2 Developer Guide
Interfaces vs. construct classes
The AWS CDK API Reference provides detailed documentation of the constructs (and other components)
in the library. A version of the API Reference is provided for each supported programming language.
• Overview: Introductory material you'll need to know to work with the service in the AWS CDK,
including concepts and examples.
• Constructs: Library classes that represent one or more concrete AWS resources. These are the
"curated" (L2) resources or patterns (L3 resources) that provide a high-level interface with sane
defaults.
• Classes: Non-construct classes that provide functionality used by constructs in the module.
• Structs: Data structures (attribute bundles) that define the structure of composite values such as
properties (the props argument of constructs) and options.
• Interfaces: Interfaces, whose names all begin with "I", define the absolute minimum functionality
for the corresponding construct or other class. The CDK uses construct interfaces to represent
AWS resources that are defined outside your AWS CDK app and imported by methods such as
Bucket.fromBucketArn().
• Enums: Collections of named values for use in specifying certain construct parameters. Using an
enumerated value allows the CDK to check these values for validity during synthesis.
• CloudFormation Resources: These L1 constructs, whose names begin with "Cfn", represent exactly the
resources defined in the CloudFormation specification. They are automatically generated from that
specification with each CDK release. Each L2 or L3 construct encapsulates one or more CloudFormation
resources.
• CloudFormation Property Types: The collection of named values that define the properties for each
CloudFormation Resource.
The AWS CDK supports importing resources defined outside CDK applications using methods such
as Bucket.fromBucketArn(). Imported resources cannot be modified and may not have all the
functionality available with resources defined in your CDK app using e.g. the Bucket class. Interfaces,
then, represent the bare minimum functionality available in the CDK for a given AWS resource type,
including imported resources.
When instantiating resources in your CDK app, then, you should always use concrete classes such as
Bucket. When specifying the type of an argument you are accepting in one of your own constructs, use
the interface type such as IBucket if you are prepared to deal with imported resources (that is, you
won't need to change them). If you require a CDK-defined construct, specify the most general type you
can use.
Some interfaces are minimum versions of properties or options bundles (shown in the AWS CDK API
Reference as Structs) that are associated with specific constructs. For example, IBucketProps is
the smallest set of properties required to instantiate a bucket. Such interfaces can be useful when
subclassing constructs to accept arguments that you'll pass on to your parent class. If you require one
or more additional properties, you'll want to implement or derive from this interface, or from a more
specific type such as BucketProps.
Note
Some programming languages supported by the AWS CDK don't have an interface feature. In
these languages, interfaces are just ordinary classes. You can identify them by their names,
which follow the pattern of an initial "I" followed by the name of some other construct (e.g.
IBucket). The same rules apply.
Version 2
27
AWS Cloud Development Kit (CDK) v2 Developer Guide
In TypeScript
You can use any editor or IDE; many AWS CDK developers use Visual Studio Code (or its open-source
equivalent VSCodium), which has excellent support for TypeScript.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
You also need TypeScript itself (version 3.8 or later). If you don't already have it, you can install it using
npm.
Note
If you get a permission error, and have administrator access on your system, try sudo npm
install -g typescript.
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
mkdir my-project
cd my-project
cdk init app --language typescript
Creating a project also installs the aws-cdk-lib module and its dependencies.
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
Some teams prefer to specify all dependencies within each project, including tools like the TypeScript
compiler and the CDK Toolkit. This practice lets you pin these components to specific versions and
ensure that all developers on your team (and your CI/CD environment) use exactly those versions. This
eliminates a possible source of change, helping to make builds and deployments more consistent and
repeatable.
The CDK includes dependencies for both TypeScript and the CDK Toolkit in the TypeScript project
template's package.json, so if you want to use this approach, you don't need to make any changes to
Version 2
28
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
your project. All you need to do is use slightly different commands for building your app and for issuing
cdk commands.
Run CDK Toolkit command cdk ... npm run cdk ... or npx
aws-cdk ...
npx aws-cdk runs the version of the CDK Toolkit installed locally in the current project, if one exists,
falling back to the global installation, if any. If no global installation exists, npx downloads a temporary
copy of the CDK Toolkit and runs that. You may specify an arbitrary version of the CDK Toolkit using the
@ syntax: npx aws-cdk@2.0 --version prints 2.0.0.
Tip
Set up an alias so you can use the cdk command with a local CDK Toolkit installation.
macOS/Linux
Windows
Most AWS CDK constructs are in the main CDK package, named aws-cdk-lib, which is a default
dependency in new projects created by cdk init. "Experimental" AWS Construct Library modules, where
higher-level constructs are still under development, are named like @aws-cdk/SERVICE-NAME-alpha.
The service name has an aws- prefix. If you're unsure of a module's name, search for it on NPM.
Note
The CDK API Reference also shows the package names.
For example, the command below installs the experimental module for AWS CodeStar.
Some services' Construct Library support is in more than one namespace. For example, besides aws-
route53, there are three additional Amazon Route 53 namespaces, aws-route53-targets, aws-
route53-patterns, and aws-route53resolver.
Your project's dependencies are maintained in package.json. You can edit this file to lock some or
all of your dependencies to a specific version or to allow them to be updated to newer versions under
certain criteria. To update your project's NPM dependencies to the latest permitted version according to
the rules you specified in package.json:
Version 2
29
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in TypeScript
npm update
In TypeScript, you import modules into your code under the same name you use to install them using
NPM. We recommend the following practices when importing AWS CDK classes and AWS Construct
Library modules in your applications. Following these guidelines will help make your code consistent
with other AWS CDK applications as well as easier to understand.
• If you need many classes from aws-cdk-lib, you may use a namespace alias of cdk instead of
importing the individual classes. Avoid doing both.
In TypeScript, the shape of props is defined using an interface that tells you the required and optional
arguments and their types. Such an interface is defined for each kind of props argument, usually
specific to a single construct or method. For example, the Bucket construct (in the aws-cdk-lib/aws-
s3 module) specifies a props argument conforming to the BucketProps interface.
If a property is itself an object, for example the websiteRedirect property of BucketProps, that object
will have its own interface to which its shape must conform, in this case RedirectTarget.
If you are subclassing an AWS Construct Library class (or overriding a method that takes a props-like
argument), you can inherit from the existing interface to create a new one that specifies any new
props your code requires. When calling the parent class or base method, generally you can pass the
entire props argument you received, since any attributes provided in the object but not specified in the
interface will be ignored.
A future release of the AWS CDK could coincidentally add a new property with a name you used for
your own property. Passing the value you receive up the inheritance chain can then cause unexpected
behavior. It's safer to pass a shallow copy of the props you received with your property removed or set to
undefined. For example:
Alternatively, name your properties so that it is clear that they belong to your construct. This way, it is
unlikely they will collide with properties in future AWS CDK releases. If there are many of them, use a
single appropriately-named object to hold them.
Version 2
30
AWS Cloud Development Kit (CDK) v2 Developer Guide
Building, synthesizing, and deploying
Missing values
Missing values in an object (such as props) have the value undefined in TypeScript. Version 3.7 of
the language introduced operators that simplify working with these values, making it easier to specify
defaults and "short-circuit" chaining when an undefined value is reached. For more information about
these features, see the TypeScript 3.7 Release Notes, specifically the first two features, Optional Chaining
and Nullish Coalescing.
Node.js cannot run TypeScript directly; instead, your application is converted to JavaScript using the
TypeScript compiler, tsc. The resulting JavaScript code is then executed.
The AWS CDK automatically does this whenever it needs to run your app. However, it can be useful to
compile manually to check for errors and to run tests. To compile your TypeScript app manually, issue
npm run build. You may also issue npm run watch to enter watch mode, in which the TypeScript
compiler automatically rebuilds your app whenever you save changes to a source file.
The stacks (p. 90) defined in your AWS CDK app can be synthesized and deployed individually or
together using the commands below. Generally, you should be in your project's main directory when you
issue them.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
Version 2
31
AWS Cloud Development Kit (CDK) v2 Developer Guide
Prerequisites
(npm). You may also use Yarn if you prefer, though the examples in this Guide use NPM. The modules
comprising the AWS Construct Library are distributed via the NPM repository, npmjs.org.
You can use any editor or IDE; many AWS CDK developers use Visual Studio Code (or its open-source
equivalent VSCodium), which has good support for JavaScript.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
mkdir my-project
cd my-project
cdk init app --language javascript
Creating a project also installs the aws-cdk-lib module and its dependencies.
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
Some teams prefer to specify all dependencies within each project, including tools like the CDK Toolkit.
This practice lets you pin such components to specific versions and ensure that all developers on your
team (and your CI/CD environment) use exactly those versions. This eliminates a possible source of
change, helping to make builds and deployments more consistent and repeatable.
The CDK includes a dependency for the CDK Toolkit in the JavaScript project template's package.json,
so if you want to use this approach, you don't need to make any changes to your project. All you need to
do is use slightly different commands for building your app and for issuing cdk commands.
Run CDK Toolkit command cdk ... npm run cdk ... or npx
aws-cdk ...
npx aws-cdk runs the version of the CDK Toolkit installed locally in the current project, if one exists,
falling back to the global installation, if any. If no global installation exists, npx downloads a temporary
copy of the CDK Toolkit and runs that. You may specify an arbitrary version of the CDK Toolkit using the
@ syntax: npx aws-cdk@1.120 --version prints 1.120.0.
Version 2
32
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
Tip
Set up an alias so you can use the cdk command with a local CDK Toolkit installation.
macOS/Linux
Windows
Most AWS CDK constructs are in the main CDK package, named aws-cdk-lib, which is a default
dependency in new projects created by cdk init. "Experimental" AWS Construct Library modules, where
higher-level constructs are still under development, are named like aws-cdk-lib/SERVICE-NAME-
alpha. The service name has an aws- prefix. If you're unsure of a module's name, search for it on NPM.
Note
The CDK API Reference also shows the package names.
For example, the command below installs the experimental module for AWS CodeStar.
Some services' Construct Library support is in more than one namespace. For example, besides aws-
route53, there are three additional Amazon Route 53 namespaces, aws-route53-targets, aws-
route53-patterns, and aws-route53resolver.
Your project's dependencies are maintained in package.json. You can edit this file to lock some or
all of your dependencies to a specific version or to allow them to be updated to newer versions under
certain criteria. To update your project's NPM dependencies to the latest permitted version according to
the rules you specified in package.json:
npm update
In JavaScript, you import modules into your code under the same name you use to install them using
NPM. We recommend the following practices when importing AWS CDK classes and AWS Construct
Library modules in your applications. Following these guidelines will help make your code consistent
with other AWS CDK applications as well as easier to understand.
• Use require(), not ES6-style import directives. Older versions of Node.js do not support ES6
imports, so using the older syntax is more widely compatible. (If you really want to use ES6 imports,
use esm to ensure your project is compatible with all supported versions of Node.js.)
• Generally, import individual classes from aws-cdk-lib.
• If you need many classes from aws-cdk-lib, you may use a namespace alias of cdk instead of
importing the individual classes. Avoid doing both.
Version 2
33
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in JavaScript
const { s3 } = require('aws-cdk-lib/aws-s3');
Using an IDE or editor that has good JavaScript autocomplete will help avoid misspelling property
names. If a construct is expecting an encryptionKeys property, and you spell it encryptionkeys,
when instantiating the construct, you haven't passed the value you intended. This can cause an error at
synthesis time if the property is required, or cause the property to be silently ignored if it is optional. In
the latter case, you may get a default behavior you intended to override. Take special care here.
When subclassing an AWS Construct Library class (or overriding a method that takes a props-like
argument), you may want to accept additional properties for your own use. These values will be ignored
by the parent class or overridden method, because they are never accessed in that code, so you can
generally pass on all the props you received.
A future release of the AWS CDK could coincidentally add a new property with a name you used for
your own property. Passing the value you receive up the inheritance chain can then cause unexpected
behavior. It's safer to pass a shallow copy of the props you received with your property removed or set to
undefined. For example:
Alternatively, name your properties so that it is clear that they belong to your construct. This way, it is
unlikely they will collide with properties in future AWS CDK releases. If there are many of them, use a
single appropriately-named object to hold them.
Missing values
Missing values in an object (such as props) have the value undefined in JavaScript. The usual
techniques apply for dealing with these. For example, a common idiom for accessing a property of a
value that may be undefined is as follows:
However, if a could have some other "falsy" value besides undefined, it is better to make the test more
explicit. Here, we'll take advantage of the fact that null and undefined are equal to test for them both
at once:
Version 2
34
AWS Cloud Development Kit (CDK) v2 Developer Guide
Synthesizing and deploying
Tip
Node.js 14.0 and later support new operators that can simplify the handling of undefined
values. For more information, see the optional chaining and nullish coalescing proposals.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
TypeScript snippets often use the newer ECMAScript import and export keywords to import objects
from other modules and to declare the objects to be made available outside the current module. Node.js
has just begun supporting these keywords in its latest releases. Depending on the version of Node.js
you're using (or wish to support), you might rewrite imports and exports to use the older syntax.
TypeScript
JavaScript
Version 2
35
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using TypeScript examples with JavaScript
TypeScript
JavaScript
Note
An alternative to using the old-style imports and exports is to use the esm module.
Once you've got the imports and exports sorted, you can dig into the actual code. You may run into these
commonly-used TypeScript features:
• Type annotations
• Interface definitions
• Type conversions/casts
• Access modifiers
Type annotations may be provided for variables, class members, function parameters, and function
return types. For variables, parameters, and members, types are specified by following the identifier with
a colon and the type. Function return values follow the function signature and consist of a colon and the
type.
To convert type-annotated code to JavaScript, remove the colon and the type. Class members must have
some value in JavaScript; set them to undefined if they only have a type annotation in TypeScript.
TypeScript
Version 2
36
AWS Cloud Development Kit (CDK) v2 Developer Guide
Migrating to TypeScript
JavaScript
In TypeScript, interfaces are used to give bundles of required and optional properties, and their types,
a name. You can then use the interface name as a type annotation. TypeScript will make sure that the
object you use as, for example, an argument to a function has the required properties of the right types.
interface myFuncProps {
code: lambda.Code,
handler?: string
}
JavaScript does not have an interface feature, so once you've removed the type annotations, delete the
interface declarations entirely.
When a function or method returns a general-purpose type (such as object), but you want to treat
that value as a more specific child type to access properties or methods that are not part of the more
general type's interface, TypeScript lets you cast the value using as followed by a type or interface
name. JavaScript doesn't support (or need) this, so simply remove as and the following identifier. A less-
common cast syntax is to use a type name in brackets, <LikeThis>; these casts, too, must be removed.
Finally, TypeScript supports the access modifiers public, protected, and private for members of
classes. All class members in JavaScript are public. Simply remove these modifiers wherever you see
them.
Knowing how to identify and remove these TypeScript features goes a long way toward adapting short
TypeScript snippets to JavaScript. But it may be impractical to convert longer TypeScript examples in this
fashion, since they are more likely to use other TypeScript features. For these situations, we recommend
Sucrase. Sucrase won't complain if code uses an undefined variable, for example, as tsc would. If it
is syntactically valid, then with few exceptions, Sucrase can translate it to JavaScript. This makes it
particularly valuable for converting snippets that may not be runnable on their own.
Migrating to TypeScript
Many JavaScript developers move to TypeScript as their projects get larger and more complex.
TypeScript is a superset of JavaScript—all JavaScript code is valid TypeScript code, so no changes to your
code are required—and it is also a supported AWS CDK language. Type annotations and other TypeScript
features are optional and can be added to your AWS CDK app as you find value in them. TypeScript also
gives you early access to new JavaScript features, such as optional chaining and nullish coalescing, before
they're finalized—and without requiring that you upgrade Node.js.
TypeScript's "shape-based" interfaces, which define bundles of required and optional properties (and
their types) within an object, allow common mistakes to be caught while you're writing the code, and
make it easier for your IDE to provide robust autocomplete and other real-time coding advice.
Version 2
37
AWS Cloud Development Kit (CDK) v2 Developer Guide
In Python
Coding in TypeScript does involve an additional step: compiling your app with the TypeScript compiler,
tsc. For typical AWS CDK apps, compilation requires a few seconds at most.
The easiest way to migrate an existing JavaScript AWS CDK app to TypeScript is to create a new
TypeScript project using cdk init app --language typescript, then copy your source files (and
any other necessary files, such as assets like AWS Lambda function source code) to the new project.
Rename your JavaScript files to end in .ts and begin developing in TypeScript.
You can use any editor or IDE. Many AWS CDK developers use Visual Studio Code (or its open-source
equivalent VSCodium), which has good support for Python via an official extension. The IDLE editor
included with Python will suffice to get started. The Python modules for the AWS CDK do have type
hints, which are useful for a linting tool or an IDE that supports type validation.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
Python AWS CDK applications require Python 3.6 or later. If you don't already have it installed, download
a compatible version for your operating system at python.org. If you run Linux, your system may have
come with a compatible version, or you may install it using your distro's package manager (yum, apt,
etc.). Mac users may be interested in Homebrew, a Linux-style package manager for macOS.
The Python package installer, pip, and virtual environment manager, virtualenv, are also
required. Windows installations of compatible Python versions include these tools. On Linux, pip and
virtualenv may be provided as separate packages in your package manager. Alternatively, you may
install them with the following commands:
If you encounter a permission error, run the above commands with the --user flag so that the modules
are installed in your user directory, or use sudo to obtain the permissions to install the modules system-
wide.
Note
It is common for Linux distros to use the executable name python3 for Python 3.x, and have
python refer to a Python 2.x installation. Some distros have an optional package you can install
that makes the python command refer to Python 3. Failing that, you can adjust the command
used to run your application by editing cdk.json in the project's main directory.
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
mkdir my-project
cd my-project
Version 2
38
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
To work with the new project, activate its virtual environment. This allows the project's dependencies to
be installed locally in the project folder, instead of globally.
source .venv/bin/activate
Note
You may recognize this as the Mac/Linux command to activate a virtual environment. The
Python templates include a batch file, source.bat, that allows the same command to be used
on Windows. The traditional Windows command, .venv\Scripts\activate.bat, works, too.
If you initialized your AWS CDK project using CDK Toolkit v1.70.0 or earlier, your virtual
environment is in the .env directory instead of .venv.
Important
Activate the project's virtual environment whenever you start working on it. Otherwise, you
won't have access to the modules installed there, and modules you install will go in the Python
global module directory (or will result in a permission error).
After activating your virtual environment for the first time, install the app's standard dependencies:
Most AWS CDK constructs are in aws-cdk-lib. Experimental modules are in separate modules named
like aws-cdk.SERVICE-NAME.alpha. The service name includes an aws prefix. If you're unsure of a
module's name, search for it at PyPI. For example, the command below installs the AWS CodeStar library.
Some services' constructs are in more than one namespace. For example, besides aws-cdk.aws-
route53, there are three additional Amazon Route 53 namespaces, named aws-route53-targets,
aws-route53-patterns, and aws-route53resolver.
Note
The Python edition of the CDK API Reference also shows the package names.
The names used for importing AWS Construct Library modules into your Python code look like the
following.
import aws_cdk.aws_s3 as s3
import aws_cdk.aws_lambda as lambda_
We recommend the following practices when importing AWS CDK classes and AWS Construct Library
modules in your applications. Following these guidelines will help make your code consistent with other
AWS CDK applications as well as easier to understand.
Version 2
39
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in Python
• If you need many classes from the aws_cdk, you may use a namespace alias of cdk instead of
importing individual classes. Avoid doing both.
import aws_cdk.aws_s3 as s3
After installing a module, update your project's requirements.txt file, which lists your project's
dependencies. It is best to do this manually rather than using pip freeze. pip freeze captures the
current versions of all modules installed in your Python virtual environment, which can be useful when
bundling up a project to be run elsewhere.
Usually, though, your requirements.txt should list only top-level dependencies (modules that your
app depends on directly) and not the dependencies of those libraries. This strategy makes updating your
dependencies simpler.
You can edit requirements.txt to allow upgrades; simply replace the == preceding a version number
with ~= to allow upgrades to a higher compatible version, or remove the version requirement entirely to
specify the latest available version of the module.
With requirements.txt edited appropriately to allow upgrades, issue this command to upgrade your
project's installed modules at any time:
By convention, the second argument to AWS CDK constructs is named id. When writing your own stacks
and constructs, calling a parameter id "shadows" the Python built-in function id(), which returns an
object's unique identifier. This function isn't used very often, but if you should happen to need it in your
construct, rename the argument, for example construct_id.
scope and id should always be passed as positional arguments, not keyword arguments, because their
names change if the construct accepts a property named scope or id.
Version 2
40
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in Python
In Python, props are expressed as keyword arguments. If an argument contains nested data structures,
these are expressed using a class which takes its own keyword arguments at instantiation. The same
pattern is applied to other method calls that take a structured argument.
bucket.add_lifecycle_rule(
transitions=[
Transition(
storage_class=StorageClass.GLACIER,
transition_after=Duration.days(10)
)
]
)
When extending a class or overriding a method, you may want to accept additional arguments for
your own purposes that are not understood by the parent class. In this case you should accept the
arguments you don't care about using the **kwargs idiom, and use keyword-only arguments to accept
the arguments you're interested in. When calling the parent's constructor or the overridden method, pass
only the arguments it is expecting (often just **kwargs). Passing arguments that the parent class or
method doesn't expect results in an error.
class MyConstruct(Construct):
def __init__(self, id, *, MyProperty=42, **kwargs):
super().__init__(self, id, **kwargs)
# ...
A future release of the AWS CDK could coincidentally add a new property with a name you used
for your own property. This won't cause any technical issues for users of your construct or method
(since your property isn't passed "up the chain," the parent class or overridden method will simply
use a default value) but it may cause confusion. You can avoid this potential problem by naming your
properties so they clearly belong to your construct. If there are many new properties, bundle them into
an appropriately-named class and pass it as a single keyword argument.
Missing values
The AWS CDK uses None to represent missing or undefined values. When working with **kwargs, use
the dictionary's get() method to provide a default value if a property is not provided. Avoid using
kwargs[...], as this raises KeyError for missing values.
Some AWS CDK methods (such as tryGetContext() to get a runtime context value) may return None,
which you will need to check explicitly.
Using interfaces
Python doesn't have an interface feature as some other languages do, though it does have abstract
base classes, which are similar. (If you're not familiar with interfaces, Wikipedia has a good introduction.)
TypeScript, the language in which the AWS CDK is implemented, does provide interfaces, and constructs
and other AWS CDK objects often require an object that adheres to a particular interface, rather than
inheriting from a particular class. So the AWS CDK provides its own interface feature as part of the JSII
layer.
Version 2
41
AWS Cloud Development Kit (CDK) v2 Developer Guide
Synthesizing and deploying
To indicate that a class implements a particular interface, you can use the @jsii.implements
decorator:
@jsii.implements(IAspect)
class MyAspect():
def visit(self, node: IConstruct) -> None:
print("Visited", node.node.path)
Type pitfalls
Python uses dynamic typing, where all variables may refer to a value of any type. Parameters and return
values may be annotated with types, but these are "hints" and are not enforced. This means that in
Python, it is easy to pass the incorrect type of value to a AWS CDK construct. Instead of getting a type
error during build, as you would from a statically-typed language, you may instead get a runtime error
when the JSII layer (which translates between Python and the AWS CDK's TypeScript core) is unable to
deal with the unexpected type.
In our experience, the type errors Python programmers make tend to fall into these categories.
• Passing a single value where a construct expects a container (Python list or dictionary) or vice versa.
• Passing a value of a type associated with a layer 1 (CfnXxxxxx) construct to a L2 or L3 construct, or
vice versa.
The AWS CDK Python modules do include type annotations, so you can use tools that support them to
help with types. If you are not using an IDE that supports these, such as PyCharm, you might want to call
the MyPy type validator as a step in your build process. There are also runtime type checkers that can
improve error messages for type-related errors.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Version 2
42
AWS Cloud Development Kit (CDK) v2 Developer Guide
In Java
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
The AWS CDK supports Java 8 and later. We recommend using the latest version you can, however,
because later versions of the language include improvements that are particularly convenient for
developing AWS CDK applications. For example, Java 9 introduces the Map.of() method (a convenient
way to declare hashmaps that would be written as object literals in TypeScript). Java 10 introduces local
type inference using the var keyword.
Note
Most code examples in this Developer Guide work with Java 8. A few examples use Map.of();
these examples include comments noting that they require Java 9.
You can use any text editor, or a Java IDE that can read Maven projects, to work on your AWS CDK apps.
We provide Eclipse hints in this Guide, but IntelliJ IDEA, NetBeans, and other IDEs can import Maven
projects and can be used for developing AWS CDK applications in Java.
It is possible to write AWS CDK applications in JVM-hosted languages other than Java (for example,
Kotlin, Groovy, Clojure, or Scala), but the experience may not be particularly idiomatic, and we are unable
to provide any support for these languages.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
Java AWS CDK applications require Java 8 (v1.8) or later. We recommend Amazon Corretto, but you can
use any OpenJDK distribution or Oracle's JDK. You will also need Apache Maven 3.5 or later. You can also
use tools such as Gradle, but the application skeletons generated by the AWS CDK Toolkit are Maven
projects.
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
mkdir my-project
cd my-project
cdk init app --language java
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
The resulting project includes a reference to the software.amazon.awscdk Maven package. It and its
dependencies are automatically installed by Maven.
If you are using an IDE, you can now open or import the project. In Eclipse, for example, choose File >
Import > Maven > Existing Maven Projects. Make sure that the project settings are set to use Java 8
(1.8).
Version 2
43
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
Some services' AWS Construct Library support is in more than one namespace. For example, Amazon
Route 53 has its functionality divided into software.amazon.awscdk.route53, route53-patterns,
route53resolver, and route53-targets.
The main AWS CDK package is imported in Java code as software.amazon.awscdk. Modules for the
various services in the AWS Construct Library live under software.amazon.awscdk.services and
are named similarly to their Maven package name. For example, the Amazon S3 module's namespace is
software.amazon.awscdk.services.s3.
We recommend writing a separate Java import statement for each AWS Construct Library class you
use in each of your Java source files, and avoiding wildcard imports. You can always use a type's fully-
qualified name (including its namespace) without an import statement.
If your application depends on an experimental package, edit your project's pom.xml and add a new
<dependency> element in the <dependencies> container. For example, the following <dependency>
element specifies the CodeStar experimental construct library module:
<dependency>
<groupId>software.amazon.awscdk</groupId>
<artifactId>codestar-alpha</artifactId>
<version>2.0.0-alpha.10</version>
</dependency>
Tip
If you use a Java IDE, it probably has features for managing Maven dependencies. We
recommend editing pom.xml directly, however, unless you are absolutely sure the IDE's
functionality matches what you'd do by hand.
In Java, props are expressed using the Builder pattern. Each construct type has a corresponding props
type; for example, the Bucket construct (which represents an Amazon S3 bucket) takes as its props an
instance of BucketProps.
The BucketProps class (like every AWS Construct Library props class) has an inner class called
Builder. The BucketProps.Builder type offers methods to set the various properties of a
BucketProps instance. Each method returns the Builder instance, so the method calls can be
Version 2
44
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in Java
chained to set multiple properties. At the end of the chain, you call build() to actually produce the
BucketProps object.
Constructs, and other classes that take a props-like object as their final argument, offer a shortcut. The
class has a Builder of its own that instantiates it and its props object in one step. This way, you don't
need to explicitly instantiate (for example) both BucketProps and a Bucket—and you don't need an
import for the props type.
When deriving your own construct from an existing construct, you may want to accept additional
properties. We recommend that you follow these builder patterns. However, this isn't as simple as
subclassing a construct class. You must provide the moving parts of the two new Builder classes
yourself. You may prefer to simply have your construct accept one or more additional arguments. You
should provide additional constructors when an argument is optional.
Generic structures
In some APIs, the AWS CDK uses JavaScript arrays or untyped objects as input to a method. (See, for
example, AWS CodeBuild's BuildSpec.fromObject() method.) In Java, these objects are represented
as java.util.Map<String, Object>. In cases where the values are all strings, you can use
Map<String, String>.
Java does not provide a way to write literals for such containers like some other languages do. In Java
9 and later, you can use java.util.Map.of() to conveniently define maps of up to ten entries inline
with one of these calls.
java.util.Map.of(
"base-directory", "dist",
"files", "LambdaStack.template.json"
)
If you are using Java 8, you could provide your own methods similar to to these.
Missing values
In Java, missing values in AWS CDK objects such as props are represented by null. You must explicitly
test any value that could be null to make sure it contains a value before doing anything with it. Java
does not have "syntactic sugar" to help handle null values as some other languages do. You may find
Apache ObjectUtil's defaultIfNull and firstNonNull useful in some situations. Alternatively, write your
own static helper methods to make it easier to handle potentially null values and make your code more
readable.
Version 2
45
AWS Cloud Development Kit (CDK) v2 Developer Guide
Building, synthesizing, and deploying
Run any tests you've written by running mvn test at a command prompt.
The stacks (p. 90) defined in your AWS CDK app can be synthesized and deployed individually or
together using the commands below. Generally, you should be in your project's main directory when you
issue them.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
You can develop AWS CDK applications in C# using familiar tools including Visual Studio, Visual Studio
Code, the dotnet command, and the NuGet package manager. The modules comprising the AWS
Construct Library are distributed via nuget.org.
We suggest using Visual Studio 2019 (any edition) on Windows to develop AWS CDK apps in C#.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
Version 2
46
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a project
C# AWS CDK applications require .NET Core v3.1 or later, available here.
The .NET toolchain includes dotnet, a command-line tool for building and running .NET applications
and managing NuGet packages. Even if you work mainly in Visual Studio, this command can be useful for
batch operations and for installing AWS Construct Library packages.
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
mkdir my-project
cd my-project
cdk init app --language csharp
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
The resulting project includes a reference to the Amazon.CDK.Lib NuGet package. It and its
dependencies are installed automatically by NuGet.
Some services' AWS Construct Library support is in more than one module. For example, AWS IoT has a
second module named Amazon.CDK.AWS.IoT.Actions.Alpha.
The AWS CDK's main module, which you'll need in most AWS CDK apps, is imported in C# code
as Amazon.CDK. Modules for the various services in the AWS Construct Library live under
Amazon.CDK.AWS. For example, the Amazon S3 module's namespace is Amazon.CDK.AWS.S3.
We recommend writing C# using directives for the CDK core constructs and for each AWS service you
use in each of your C# source files. You may find it convenient to use an alias for a namespace or type to
help resolve name conflicts. You can always use a type's fully-qualfiied name (including its namespace)
without a using statement.
NuGet has four standard, mostly-equivalent interfaces; you can use the one that suits your needs and
working style. You can also use compatible tools, such as Paket or MyGet.
Version 2
47
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
Assuming you're in the same directory as the Visual Studio project (.csproj) file, issue a command
like the following to install a package. Note that since the main CDK library is included when you create
a project, you should ever only need to explictly install experimental modules. Experimental modules
require you to specify an explicit version number.
Version 2
48
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in C#
You may issue the command from another directory by including the path to the project file, or to the
directory that contains it, after the add keyword. The following example assumes that you are in your
AWS CDK project's main directory.
To install a specific version of a package, include the -v flag and the desired version.
To update a package, issue the same dotnet add command you used to install it. For experimental
modules, again, you must specify an explicit version number.
For more information about managing packages using the dotnet command, see Install and Manage
Packages Using the dotnet CLI.
We do not recommend the use of the nuget tool with AWS CDK projects created by cdk init. If you
are using another type of project, and want to use nuget, see the NuGet CLI Reference.
In C#, props are expressed using a props type. In idiomatic C# fashion, we can use an object initializer
to set the various properties. Here we're creating an Amazon S3 bucket using the Bucket construct; its
corresponding props type is BucketProps.
Tip
Add the package Amazon.JSII.Analyzers to your project to get required-values checking in
your props definitions inside Visual Studio.
When extending a class or overriding a method, you may want to accept additional props for your own
purposes that are not understood by the parent class. To do this, subclass the appropriate props type and
add the new attributes.
Version 2
49
AWS Cloud Development Kit (CDK) v2 Developer Guide
Building, synthesizing, and deploying
When calling the parent class's initializer or overridden method, you can generally pass the props you
received. The new type is compatible with its parent, and extra props you added are ignored.
A future release of the AWS CDK could coincidentally add a new property with a name you used for your
own property. This won't cause any technical issues using your construct or method (since your property
isn't passed "up the chain," the parent class or overridden method will simply use a default value) but
it may cause confusion for your construct's users. You can avoid this potential problem by naming your
properties so they clearly belong to your construct. If there are many new properties, bundle them into
an appropriately-named class and pass them as a single property.
Generic structures
In some APIs, the AWS CDK uses JavaScript arrays or untyped objects as input to a method. (See, for
example, AWS CodeBuild's BuildSpec.fromObject() method.) In C#, these objects are represented as
System.Collections.Generic.Dictionary<String, Object>. In cases where the values are all
strings, you can use Dictionary<String, String>. JavaScript arrays are represented as object[]
or string[] array types in C#.
Tip
You might define short aliases to make it easier to work with these sepecific dictionary types.
Missing values
In C#, missing values in AWS CDK objects such as props are represented by null. The null-conditional
member access operator ?. and the null coalescing operator ?? are convenient for working with these
values.
Version 2
50
AWS Cloud Development Kit (CDK) v2 Developer Guide
In Go
The stacks (p. 90) defined in your AWS CDK app can be synthesized and deployed individually or
together using the commands below. Generally, you should be in your project's main directory when you
issue them.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
Unlike the other languages the CDK supports, Go is not a traditional object-oriented programming
language. Go uses composition where other languages often leverage inheritance. We have tried to
employ idiomatic Go approaches as much as possible, but there are places where the CDK charts its own
course.
This topic explains the ins and outs of working with the AWS CDK in Go. See the announcement blog
post for a walkthrough of a simple Go project for the AWS CDK.
Prerequisites
To work with the AWS CDK, you must have an AWS account and credentials and have installed Node.js
and the AWS CDK Toolkit. See AWS CDK Prerequisites (p. 25).
The Go bindings for the AWS CDK use the standard Go toolchain, v1.16 or later. You can use the editor of
your choice.
Creating a project
You create a new AWS CDK project by invoking cdk init in an empty directory.
Version 2
51
AWS Cloud Development Kit (CDK) v2 Developer Guide
Managing AWS Construct Library modules
mkdir my-project
cd my-project
cdk init app --language go
cdk init uses the name of the project folder to name various elements of the project, including
classes, subfolders, and files.
The resulting project includes a reference to the AWS CDK Go module, github.com/aws/aws-cdk-go/
awscdk/v2, in go.mod. The CDK and its dependencies are automatically installed when you build your
app.
Some services' AWS Construct Library support is in more than one Construct Library module (Go
package). For example, Amazon Route 53 has three Construct Library modules in addition to
the main awsroute53 package, named awsroute53patterns, awsroute53resolver, and
awsroute53targets.
The AWS CDK's core package, which you'll need in most AWS CDK apps, is imported in Go code as
github.com/aws/aws-cdk-go/awscdk/v2. Packages for the various services in the AWS Construct
Library live under github.com/aws/aws-cdk-go/awscdk/v2. For example, the Amazon S3 module's
namespace is github.com/aws/aws-cdk-go/awscdk/v2/awss3.
import (
"github.com/aws/aws-cdk-go/awscdk/v2/awss3"
// ...
)
Once you have imported the Construct Library modules (Go packages) for the services you want to use in
your app, you access constructs in that module using, for example, awss3.Bucket.
When passing literal values or expressions, use the following helper functions to create pointers to the
values.
• jsii.String
Version 2
52
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK idioms in Go
• jsii.Number
• jsii.Bool
• jsii.Time
For consistency, we recommend that you use pointers similarly when defining your own constructs, even
though it may seem more convenient to, for example, receive your construct's id as a string rather than a
pointer to a string.
When dealing with optional AWS CDK values, including primitive values as well as complex types, you
should explicitly test pointers to make sure they are not nil before doing anything with them. Go does
not have "syntactic sugar" to help handle empty or missing values as some other languages do. However,
required values in property bundles and similar structures are guaranteed to exist (construction fails
otherwise), so these values need not be nil-checked.
All factory functions take three arguments: the scope in which the construct is being defined (its parent
in the construct tree), an id, and props, a bundle of key/value pairs that the construct uses to configure
the resources it creates. The "bundle of attributes" pattern is also used elsewhere in the AWS CDK.
In Go, props are represented by a specific struct type for each construct. For example, an awss3.Bucket
takes a props argument of type awss3.BucketProps. Use a struct literal to write props arguments.
Generic structures
In some places, the AWS CDK uses JavaScript arrays or untyped objects as input to a method. (See, for
example, AWS CodeBuild's BuildSpec.fromObject() method.) In Go, these objects are represented as
slices and an empty interface, respectively.
The CDK provides variadic helper functions such as jsii.Strings for building slices containing
primitive types.
If you are simply changing some default values on an existing construct or adding a simple behavior at
instantiation, you don't need all that plumbing. Instead, write a factory function that calls the factory
function of the construct you're "extending." In other CDK languages, for example, you might create a
TypedBucket construct that enforces the type of objects in an Amazon S3 bucket by overriding the
s3.Bucket type and, in your new type's initializer, adding a bucket policy that allows only specified
Version 2
53
AWS Cloud Development Kit (CDK) v2 Developer Guide
Building, synthesizing, and deploying
filename extensions to be added to the bucket. In Go, it is easier to simply write a NewTypedBucket
that returns an s3.Bucket (instantiated using s3.NewBucket) to which you have added an appropriate
bucket policy. No new construct type is necessary because the functionality is already available in the
standard bucket construct; the new "construct" just provides a simpler way to configure it.
The stacks (p. 90) defined in your AWS CDK app can be synthesized and deployed individually or
together using the commands below. Generally, you should be in your project's main directory when you
issue them.
• cdk synth: Synthesizes a AWS CloudFormation template from one or more of the stacks in your AWS
CDK app.
• cdk deploy: Deploys the resources defined by one or more of the stacks in your AWS CDK app to
AWS.
You can specify the names of multiple stacks to be synthesized or deployed in a single command. If your
app defines only one stack, you do not need to specify it.
You may also use the wildcards * (any number of characters) and ? (any single character) to identify
stacks by pattern. When using wildcards, enclose the pattern in quotes. Otherwise, the shell may try to
expand it to the names of files in the current directory before they are passed to the AWS CDK Toolkit.
Tip
You don't need to explicitly synthesize stacks before deploying them; cdk deploy performs
this step for you to make sure your latest code gets deployed.
For full documentation of the cdk command, see the section called “AWS CDK Toolkit” (p. 278).
Version 2
54
AWS Cloud Development Kit (CDK) v2 Developer Guide
• AWS CDK v2 consolidates the stable parts of the AWS Construct Library, including the core library,
into a single package, aws-cdk-lib. Developers no longer need to install additional packages for
the individual AWS services they use. This single-package approach also eliminates the need to
synchronize the versions of the various CDK library packages.
L1 (CfnXXXX) constructs, which represent the exact resources available in AWS CloudFormation, are
always considered stable and so are included in aws-cdk-lib.
• Experimental modules, where we're still working with the community to develop new L2 or L3
constructs (p. 69), are not included in aws-cdk-lib; they are instead distributed as individual
packages. Experimental packages are named with an alpha suffix and a semantic version number that
matches the first version of the AWS Construct Library with which they are compatible, also with an
alpha suffix. Constructs move into aws-cdk-lib after being designated stable, permitting the main
Construct Library to adhere to strict semantic versioning.
Stability is specified at the service level. For example, if we begin creating one or more L2 constructs
for Amazon AppFlow, which at this writing has only L1 constructs, they would first appear in a module
named @aws-cdk/aws-appflow-alpha, then move to aws-cdk-lib when we feel the new
constructs meet the fundamental needs of customers.
Once a module has been designated stable and incorporated into aws-cdk-lib, new APIs are added
using the "BetaN" convention described in the next bullet.
A new version of each experimental module is released with every release of the AWS CDK, but for the
most part, they needn't be kept in sync. You can upgrade aws-cdk-lib or the experimental module
whenever you want. The exception is that when two or more related experimental modules depend on
each other, they must be the same version.
• For stable modules to which new functionality is being added, new APIs (whether entirely new
constructs or new methods or properties on an existing construct) receive a Beta1 suffix (and then
Beta2, Beta3, etc. when breaking changes are needed) while work is in progress. A version of the API
without the suffix is added when the API is designated stable. All methods except the latest (whether
beta or final) are then deprecated.
All the beta APIs remain in the Construct Library until the next major version (3.0) release, and their
signatures will not change. You'll see deprecation warnings if you use them, so you should move to the
final version of the API at your earliest convenience, but a future AWS CDK 2.x release will not break
your application.
• The Construct class has been extracted from the AWS CDK into a separate library, along with related
types, to support efforts to apply the Construct Programming Model to other domains. If you are
writing your own constructs or using related APIs, you must declare the construct module as a
dependency and make minor changes to your imports. If you are using advanced features, such as
hooking into the CDK app lifecycle, more changes may be needed. See the RFC for full details.
Version 2
55
AWS Cloud Development Kit (CDK) v2 Developer Guide
New prerequisites
• Deprecated properties, methods, and types in AWS CDK v1.x and its Construct Library have been
removed completely from the CDK v2 API. In most supported languages, these APIs produce warnings
under v1.x, so you may have already migrated to the replacement APIs. A complete list of deprecated
APIs in CDK v1.x is available on GitHub.
• Behavior that was gated by feature flags in AWS CDK v1.x is enabled by default in CDK v2, and the old
feature flags are no longer needed or, in most cases, supported. A handful are still available to let you
to revert to CDK v1 behavior in very specific circumstances; see the section called “Updating feature
flags” (p. 57).
• CDK v2 requires that the environments you deploy into be boostrapped using the modern bootstrap
stack; the legacy bootstrap stack (the default under v1) is no longer supported. CDK v2 furthermore
requires a new version of the modern stack. Simply re-bootstrap your existing environments to
upgrade them. It is no longer necessary to set any feature flags or environment variables to specify the
modern bootstrap stack.
Important
The modern bootstrap template effectively grants the permissions implied by the --
cloudformation-execution-policies to any AWS account in the --trust list, which by
default will extend permissions to read and write to any resource in the bootstrapped account.
Make sure to configure the bootstrapping stack (p. 183) with policies and trusted accounts you
are comfortable with.
New prerequisites
Most requirements for AWS CDK v2 are the same as for AWS CDK v1.x. Additional requirements are listed
here.
TypeScript
Java
mvn package
Version 2
56
AWS Cloud Development Kit (CDK) v2 Developer Guide
Migrating from AWS CDK v1 to CDK v2
C#
dotnet restore
After updating your dependencies, issue npm update -g aws-cdk to update the CDK Toolkit to the
release version.
@aws-cdk/aws-apigateway:usagePlanKeyOrderInsensitiveId
If your application uses multiple Amazon API Gateway API keys and associates them to usage plans
@aws-cdk/aws-rds:lowercaseDbIdentifier
If your application uses Amazon RDS database instance or database clusters, and explicitly specifies
the identifier for these
@aws-cdk/aws-cloudfront:defaultSecurityPolicyTLSv1.2_2021
If your application uses the TLS_V1_2_2019 security policy with Amazon CloudFront distributions.
CDK v2 uses security policy TLSv1.2_2021 by default.
@aws-cdk/core:stackRelativeExports
If your application uses multiple stacks and you refer to resources from one stack in another, this
determines whether absolute or relative path is used to construct AWS CloudFormation exports
{
"context": {
"@aws-cdk/aws-apigateway:usagePlanKeyOrderInsensitiveId": false,
"@aws-cdk/aws-cloudfront:defaultSecurityPolicyTLSv1.2_2021": false,
"@aws-cdk/aws-rds:lowercaseDbIdentifier": false,
"@aws-cdk/core:stackRelativeExports": false
}
}
If you need to create both v1 and v2 CDK projects, do not install CDK Toolkit v2 globally. (Remove it if
you already have it installed: npm remove -g aws-cdk.) To invoke the CDK Toolkit, use npx to run v1
or v2 of the CDK Toolkit as desired.
Version 2
57
AWS Cloud Development Kit (CDK) v2 Developer Guide
Updating dependencies and imports
Tip
Set up command line aliases so you can use the cdk and cdk1 commands to invoke the desired
version of the CDK Toolkit.
macOS/Linux
Windows
TypeScript
Applications
For CDK apps, update package.json as follows. Remove dependencies on v1-style individual stable
modules and establish the lowest version of aws-cdk-lib you require for your application (2.0.0
here).
{
"dependencies": {
"aws-cdk-lib": "^2.0.0",
"@aws-cdk/aws-codestar-alpha": "2.0.0-alpha.1",
"constructs": "^10.0.0"
}
}
Construct libraries
For construct libraries, establish the lowest version of aws-cdk-lib you require for your application
(2.0.0 here) and update package.json as follows.
Note that aws-cdk-lib appears both as a peer dependency and a dev dependency.
{
"peerDependencies": {
"aws-cdk-lib": "^2.0.0",
"constructs": "^10.0.0"
},
"devDependencies": {
"aws-cdk-lib": "^2.0.0",
"constructs": "^10.0.0",
"typescript": "~3.9.0"
Version 2
58
AWS Cloud Development Kit (CDK) v2 Developer Guide
Updating dependencies and imports
}
}
Note
You should perform a major version bump on your library's version number when releasing
a v2-compatible library, as this will be a breaking change for consumers of the library. It is
not possible to support both CDK v1 and v2 with a single library. To continue to support
customers who are still using v1, you could maintain the older release in parallel, or create a
new package for v2.
It's up to you how long you want to continue supporting AWS CDK v1 customers, but you
could take your cue from the lifecycle of CDK v1 itself, and continue supporting v1 until
AWS CDK v1 enters maintenance (June 1, 2022) or end-of-life (June 1, 2023). For full
details, see AWS CDK Maintenance Policy
Change your imports to import Construct from the new constructs module, core types such as
App and Stack from the top level of aws-cdk-lib, and stable Construct Library modules for the
services you use from namespaces under aws-cdk-lib.
JavaScript
Update package.json as follows. Remove dependencies on v1-style individual stable modules and
establish the lowest version of aws-cdk-lib you require for your application (2.0.0 here).
{
"dependencies": {
"aws-cdk-lib": "^2.0.0",
"@aws-cdk/aws-codestar-alpha": "2.0.0-alpha.1",
"constructs": "^10.0.0"
}
}
Change your app's imports to import Construct from the new constructs module, core types
such as App and Stack from the top level of aws-cdk-lib, and AWS Construct Library modules
from namespaces under aws-cdk-lib.
Python
Version 2
59
AWS Cloud Development Kit (CDK) v2 Developer Guide
Updating dependencies and imports
install_requires=[
"aws-cdk-lib>=2.0.0",
"constructs>=10.0.0",
"aws-cdk.aws-codestar-alpha>=2.0.0alpha1",
# ...
],
Tip
Uninstall any other versions of AWS CDK modules already installed in your app's virtual
environment using pip uninstall. Then Install the new dependencies with python -m
pip install -r requirements.txt.
Change your app's imports to import Construct from the new constructs module, core types
such as App and Stack from the top level of aws_cdk, and AWS Construct Library modules from
namespaces under aws_cdk.
# ...
class MyConstruct(Construct):
# ...
class MyStack(Stack):
# ...
s3.Bucket(...)
Java
<dependency>
<groupId>software.amazon.awscdk</groupId>
<artifactId>aws-cdk-lib</artifactId>
<version>2.0.0</version>
</dependency><dependency>
<groupId>software.amazon.awscdk</groupId>
<artifactId>code-star-alpha</artifactId>
<version>2.0.0-alpha.1</version>
</dependency>
<dependency>
<groupId>software.constructs</groupId>
<artifactId>constructs</artifactId>
<version>10.0.0</version>
</dependency>
Version 2
60
AWS Cloud Development Kit (CDK) v2 Developer Guide
Troubleshooting
Change your code to import Construct from the new software.constructs library, core
classes like Stack and App from software.amazon.awscdk, and service constructs from
software.amazon.awscdk.services.
import software.constructs.Construct;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.App;
import software.amazon.awscdk.services.s3.Bucket;
import software.amazon.awscdk.services.codestar.alpha.GitHubRepository;
C#
The most straightforward way to upgrade the dependencies of a C# CDK application is to edit the
.csproj file manually. Remove all stable Amazon.CDK.* package references and replace them with
references to the Amazon.CDK.Lib and Constructs packages.
Troubleshooting
Typescript 'from' expected or ';' expected error in imports
AWS CDK v2 requires a new bootstrap stack, so you must re-bootstrap your deployment environment(s).
See the section called “Bootstrapping” (p. 180) for complete details.
Version 2
61
AWS Cloud Development Kit (CDK) v2 Developer Guide
Troubleshooting
Before deploying your app, use cdk diff to check for unexpected changes to its resources. Changes to
logical IDs (causing replacement of resources) are not expected.
Unexpected changes are typically not caused by upgrading to AWS CDK v2 in itself, but are usually
the result of deprecated behavior that was previously changed by feature flags. This is a symptom of
upgrading from a version of CDK older than about 1.85.x; you'd see the same changes upgrading to
the latest v1.x release. You can usually resolve this by upgrading your app to the latest v1.x release,
removing feature flags, revising your code as necessary, deploying, and then upgrading to v2.
If your upgraded app ends up undeployable after the two-stage upgrade, please report the issue.
Version 2
62
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing a module
For more details on working with the AWS CDK in its supported programming languages, see:
Importing a module
TypeScript/JavaScript
TypeScript supports importing either an entire namespace, or individual objects from a namespace.
Each namespace includes constructs and other classes for use with a given AWS service.
Python
Like TypeScript, Python supports namespaced module imports and selective imports. Namespaces in
Python look like aws_cdk.xxx, where xxx represents an AWS service name, such as s3 for Amazon S3
(we'll use Amazon S3 for our examples).
Version 2
63
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing a module
Java
Java's imports work differently from TypeScript's. Each import statement imports either a single
class name from a given package, or all classes defined in that package (using *). Classes may be
accessed using either the class name by itself if it has been imported, or the qualified class name
including its package.
// An imported class may now be accessed using the simple class name (assuming that
name
// does not conflict with another class)
Bucket bucket = Bucket.Builder.create(...).build();
// We can always use the qualified name of a class (including its package) even without
an
// import directive
software.amazon.awscdk.services.s3.Bucket bucket =
software.amazon.awscdk.services.s3.Bucket.Builder.create(...)
.build();
// Java 10 or later can use var keyword to avoid typing the type twice
var bucket =
software.amazon.awscdk.services.s3.Bucket.Builder.create(...)
.build();
C#
In C#, you import types with the using directive. There are two styles, which give you access either
all the types in the specified namespace using their plain names, or let you refer to the namespace
itself using an alias.
Version 2
64
AWS Cloud Development Kit (CDK) v2 Developer Guide
Instantiating a construct
Packages are named like Amazon.CDK.AWS.xxx for AWS Construct Library packages (the core
module is Amazon.CDK).
// We can always use the qualified name of a type (including its namespace) even
without a
// using directive
var bucket = new Amazon.CDK.AWS.S3.Bucket(...)
Instantiating a construct
AWS CDK construct classes have the same name in all supported languages. Most languages use the new
keyword to instantiate a class (Python is the only one that doesn't). Also, in most languages, the keyword
this refers to the current instance. Python, again, is the exception (it uses self by convention). You
should pass a reference to the current instance as the scope parameter to every construct you create.
The third argument to a AWS CDK construct is props, an object containing attributes needed to build
the construct. This argument may be optional, but when it is required, the supported languages handle
it in idiomatic ways. The names of the attributes are also adapted to the language's standard naming
patterns.
TypeScript/JavaScript
Python
Python doesn't use a new keyword when instantiating a class. The properties argument is
represented using keyword arguments, and the arguments are named using snake_case.
If a props value is itself a bundle of attributes, it is represented by a class named after the property,
which accepts keyword arguments for the sub-properties.
Version 2
65
AWS Cloud Development Kit (CDK) v2 Developer Guide
Instantiating a construct
In Python, the current instance is passed to methods as the first argument, which is named self by
convention.
Java
In Java, the props argument is represented by a class named XxxxProps (for example,
BucketProps for the Bucket construct's props). You build the props argument using a builder
pattern.
Each XxxxProps class has a builder, and there is also a convenient builder for each construct that
builds the props and the construct in one step, as shown here.
C#
In C#, props are specified using an object initializer to a class named XxxxProps (for example,
BucketProps for the Bucket construct's props).
It is convenient to use the var keyword when instantiating a construct, so you don't need to type
the class name twice. However, your local code style guide may vary.
Version 2
66
AWS Cloud Development Kit (CDK) v2 Developer Guide
Accessing members
Accessing members
It is common to refer to attributes or properties of constructs and other AWS CDK classes and use these
values as, for examples, inputs to build other constructs. The naming differences described above for
methods apply. Furthermore, in Java, it is not possible to access members directly; instead, a getter
method is provided.
TypeScript/JavaScript
bucket.bucketArn
Python
bucket.bucket_arn
Java
A getter method is provided for each property; these names are camelCase.
bucket.getBucketArn()
C#
bucket.BucketArn
Enum constants
Enum constants are scoped to a class, and have uppercase names with underscores in all languages
(sometimes referred to as SCREAMING_SNAKE_CASE). Since class names also use the same casing in all
supported languages, qualified enum names are also the same.
s3.BucketEncryption.KMS_MANAGED
Object interfaces
The AWS CDK uses TypeScript object interfaces to indicate that a class implements an expected set of
methods and properties. You can recognize an object interface because its name starts with I. A concrete
class indicates the interface(s) it implements using the implements keyword.
TypeScript/JavaScript
Note
JavaScript doesn't have an interface feature. You can ignore the implements keyword and
the class names following it.
Version 2
67
AWS Cloud Development Kit (CDK) v2 Developer Guide
Object interfaces
Python
Python doesn't have an interface feature. However, for the AWS CDK you can indicate interface
implementation by decorating your class with @jsii.implements(interface).
@jsii.implements(IAspect)
class MyAspect():
def visit(self, node: IConstruct) -> None:
print("Visited", node.node.path)
Java
import software.amazon.awscdk.IAspect;
import software.amazon.awscdk.IConstruct;
C#
using Amazon.CDK;
Version 2
68
AWS Cloud Development Kit (CDK) v2 Developer Guide
Constructs
Concepts
This topic describes some of the concepts (the why and how) behind the AWS CDK. It also discusses the
AWS Construct Library.
AWS CDK apps are composed of building blocks known as Constructs (p. 69), which are composed
together to form stacks and apps.
Constructs
Constructs are the basic building blocks of AWS CDK apps. A construct represents a "cloud component"
and encapsulates everything AWS CloudFormation needs to create the component.
Note
Constructs are part of the Construct Programming Model (CPM) and are also used by other tools
such as CDK for Terraform (CDKtf), CDK for Kubernetes (CDK8s), and Projen.
A construct can represent a single AWS resource, such as an Amazon Simple Storage Service (Amazon S3)
bucket, or it can be a higher-level abstraction consisting of multiple AWS related resources. Examples of
such components include a worker queue with its associated compute capacity, or a scheduled job with
monitoring resources and a dashboard.
The AWS CDK includes a collection of constructs called the AWS Construct Library, containing constructs
for every AWS service. Construct Hub is a resource to help you discover additional constructs from AWS,
third parties, and the open-source CDK community.
Important
In AWS CDK v1, the Construct base class was in the CDK core module. In CDK v2, there is a
separate module called constructs that contains this class.
This library includes constructs that represent all the resources available on AWS. For example, the
s3.Bucket class represents an Amazon S3 bucket, and the dynamodb.Table class represents an
Amazon DynamoDB table.
There are three different levels of constructs in this library, beginning with low-level constructs,
which we call CFN Resources (or L1, short for "layer 1") or Cfn (short for CloudFormation) resources.
These constructs directly represent all resources available in AWS CloudFormation. CFN Resources
are periodically generated from the AWS CloudFormation Resource Specification. They are named
CfnXyz, where Xyz is name of the resource. For example, CfnBucket represents the AWS::S3::Bucket
AWS CloudFormation resource. When you use Cfn resources, you must explicitly configure all
resource properties, which requires a complete understanding of the details of the underlying AWS
CloudFormation resource model.
The next level of constructs, L2, also represent AWS resources, but with a higher-level, intent-based API.
They provide similar functionality, but provide the defaults, boilerplate, and glue logic you'd be writing
yourself with a CFN Resource construct. AWS constructs offer convenient defaults and reduce the need to
know all the details about the AWS resources they represent, while providing convenience methods that
make it simpler to work with the resource. For example, the s3.Bucket class represents an Amazon S3
bucket with additional properties and methods, such as bucket.addLifeCycleRule(), which adds a lifecycle
rule to the bucket.
Version 2
69
AWS Cloud Development Kit (CDK) v2 Developer Guide
Composition
Finally, the AWS Construct Library includes L3 constructs, which we call patterns. These constructs are
designed to help you complete common tasks in AWS, often involving multiple kinds of resources.
For example, the aws-ecs-patterns.ApplicationLoadBalancedFargateService construct represents an
architecture that includes an AWS Fargate container cluster employing an Application Load Balancer
(ALB). The aws-apigateway.LambdaRestApi construct represents an Amazon API Gateway API that's
backed by an AWS Lambda function.
For more information about how to navigate the library and discover constructs that can help you build
your apps, see the API Reference.
Composition
Composition is the key pattern for defining higher-level abstractions through constructs. A high-level
construct can be composed from any number of lower-level constructs, and in turn, those could be
composed from even lower-level constructs, which eventually are composed from AWS resources. From a
bottom-up perspective, you use constructs to organize the individual AWS resources you want to deploy
using whatever abstractions are convenient for your purpose, with as many layers as you need.
Composition lets you define reusable components and share them like any other code. For example,
a team can define a construct that implements the company's best practice for a DynamoDB table
with backup, global replication, auto-scaling, and monitoring, and share it with other teams in their
organization, or publicly. Teams can now use this construct as they would any other library package in
their preferred programming language to define their tables and comply with their team's best practices.
When the library is updated, developers will get access to the new version's bug fixes and improvements
through the workflows they already have for their other types of code.
Initialization
Constructs are implemented in classes that extend the Construct base class. You define a construct by
instantiating the class. All constructs take three parameters when they are initialized:
• Scope – The construct within which this construct is defined. You should usually pass this for the
scope, because it represents the current scope in which you are defining the construct.
• id – An identifier (p. 123) that must be unique within this scope. The identifier serves as a namespace
for everything that's defined within the current construct and is used to allocate unique identities such
as resource names (p. 108) and AWS CloudFormation logical IDs.
• Props – A set of properties or keyword arguments, depending upon the language, that define the
construct's initial configuration. In most cases, constructs provide sensible defaults, and if all props
elements are optional, you can leave out the props parameter completely.
Identifiers need only be unique within a scope. This lets you instantiate and reuse constructs without
concern for the constructs and identifiers they might contain, and enables composing constructs into
higher level abstractions. In addition, scopes make it possible to refer to groups of constructs all at once,
for example for tagging or for specifying where the constructs will be deployed.
TypeScript
Version 2
70
AWS Cloud Development Kit (CDK) v2 Developer Guide
Apps and stacks
JavaScript
Python
class HelloCdkStack(Stack):
app = App()
HelloCdkStack(app, "HelloCdkStack")
Java
import software.amazon.awscdk.*;
import software.amazon.awscdk.services.s3.*;
Version 2
71
AWS Cloud Development Kit (CDK) v2 Developer Guide
Apps and stacks
Bucket.Builder.create(this, "MyFirstBucket")
.versioned(true).build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.S3;
namespace HelloCdkApp
{
internal static class Program
{
public static void Main(string[] args)
{
var app = new App();
new HelloCdkStack(app, "HelloCdkStack");
app.Synth();
}
}
As you can see, you need a scope within which to define your bucket. Since resources eventually need to
be deployed as part of a AWS CloudFormation stack into an AWS environment (p. 97), which covers a
specific AWS account and AWS region. AWS constructs, such as s3.Bucket, must be defined within the
scope of a Stack.
Stacks in AWS CDK apps extend the Stack base class, as shown in the previous example. This is a
common pattern when creating a stack within your AWS CDK app: extend the Stack class, define a
constructor that accepts scope, id, and props, and invoke the base class constructor via super with the
received scope, id, and props, as shown in the following example.
TypeScript
//...
}
}
JavaScript
//...
}
Version 2
72
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using L1 constructs
Python
class HelloCdkStack(Stack):
# ...
Java
// ...
}
}
C#
Using L1 constructs
Once you have defined a stack, you can populate it with resources by instantiating constructs. First, we'll
do it with an L1 construct.
L1 constructs are exactly the resources defined by AWS CloudFormation—no more, no less. You must
provide the resource's required configuration yourself. Here, for example, is how to create an Amazon
S3 bucket using the CfnBucket class. (You'll see a similar definition using the Bucket class in the next
section.)
TypeScript
JavaScript
Version 2
73
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using L1 constructs
});
Python
Java
C#
In Python, Java, and C#, L1 construct properties that aren't simple Booleans, strings, numbers,
or containers are represented by types defined as inner classes of the L1 construct. For example,
the optional property corsConfiguration of a CfnBucket requires a wrapper of type
CfnBucket.CorsConfigurationProperty. Here we are defining corsConfiguration on a
CfnBucket instance.
TypeScript
JavaScript
Python
Version 2
74
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using L2 constructs
Java
C#
Important
You can't use L2 property types with L1 constructs, or vice versa. When working with L1
constructs, always use the types defined inside the L1 construct you're using. Do not use types
from other L1 constructs (some may have the same name, but they are not the same type).
Some of our language-specific API references currently have errors in the paths to L1 property
types, or don't document these classes at all. We hope to fix this soon. In the meantime, just
remember that such types are always inner classes of the L1 construct they are used with.
Using L2 constructs
The following example defines an Amazon S3 bucket by creating an instance of the Bucket class, an L2
construct.
TypeScript
// "this" is HelloCdkStack
new s3.Bucket(this, 'MyFirstBucket', {
versioned: true
});
JavaScript
const s3 = require('aws-cdk-lib/aws-s3');
// "this" is HelloCdkStack
new s3.Bucket(this, 'MyFirstBucket', {
Version 2
75
AWS Cloud Development Kit (CDK) v2 Developer Guide
Configuration
versioned: true
});
Python
import aws_cdk.aws_s3 as s3
# "self" is HelloCdkStack
s3.Bucket(self, "MyFirstBucket", versioned=True)
Java
import software.amazon.awscdk.services.s3.*;
Bucket.Builder.create(this, "MyFirstBucket")
.versioned(true).build();
}
}
C#
using Amazon.CDK.AWS.S3;
// "this" is HelloCdkStack
new Bucket(this, "MyFirstBucket", new BucketProps
{
Versioned = true
});
The AWS Construct Library includes constructs that represent many AWS resources.
Note
MyFirstBucket is not the name of the bucket that AWS CloudFormation creates. It is a logical
identifier given to the new construct. See Physical Names for details.
Configuration
Most constructs accept props as their third argument (or in Python, keyword arguments), a name/value
collection that defines the construct's configuration. The following example defines a bucket with AWS
Key Management Service (AWS KMS) encryption and static website hosting enabled. Since it does not
explicitly specify an encryption key, the Bucket construct defines a new kms.Key and associates it with
the bucket.
TypeScript
Version 2
76
AWS Cloud Development Kit (CDK) v2 Developer Guide
Interacting with constructs
JavaScript
Python
Java
Bucket.Builder.create(this, "MyEncryptedBucket")
.encryption(BucketEncryption.KMS_MANAGED)
.websiteIndexDocument("index.html").build();
C#
AWS constructs are designed around the concept of "sensible defaults." Most constructs have a minimal
required configuration, enabling you to quickly get started while also providing full control over the
configuration when you need it.
For example, almost all AWS constructs have a set of grant (p. 157) methods that you can use to grant
AWS Identity and Access Management (IAM) permissions on that construct to a principal. The following
example grants the IAM group data-science permission to read from the Amazon S3 bucket raw-
data.
TypeScript
JavaScript
Version 2
77
AWS Cloud Development Kit (CDK) v2 Developer Guide
Interacting with constructs
Python
Java
C#
Another common pattern is for AWS constructs to set one of the resource's attributes, such as its
Amazon Resource Name (ARN), name, or URL from data supplied elsewhere. For example, the following
code defines an AWS Lambda function and associates it with an Amazon Simple Queue Service (Amazon
SQS) queue through the queue's URL in an environment variable.
TypeScript
JavaScript
Python
Version 2
78
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing your own constructs
Java
C#
For information about the most common API patterns in the AWS Construct Library, see the section
called “Resources” (p. 103).
To declare a new construct, create a class that extends the Construct base class, in the constructs
package, then follow the pattern for initializer arguments.
For example, you could declare a construct that represents an Amazon S3 bucket which sends an Amazon
Simple Notification Service (Amazon SNS) notification every time someone uploads a file into it:
TypeScript
JavaScript
Version 2
79
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing your own constructs
module.exports = { NotifyingBucket }
Python
class NotifyingBucket(Construct):
Java
public NotifyingBucket(final Construct scope, final String id, final String prefix)
{
this(scope, id, null, prefix);
}
C#
Version 2
80
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing your own constructs
Note
Our NotifyingBucket construct inherits not from Bucket but rather from Construct. We
are using composition, not inheritance, to bundle an Amazon S3 bucket and an Amazon SNS
topic together. In general, composition is preferred over inheritance when developing AWS CDK
constructs.
The NotifyingBucket constructor has a typical construct signature: scope, id, and props. The
last argument, props, is optional (gets the default value {}) because all props are optional. (The base
Construct class does not take a props argument.) You could define an instance of this construct in
your app without props, for example:
TypeScript
JavaScript
Python
NotifyingBucket(self, "MyNotifyingBucket")
Java
C#
Or you could use props (in Java, an additional parameter) to specify the path prefix to filter on, for
example:
TypeScript
JavaScript
Version 2
81
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing your own constructs
Python
Java
C#
Typically, you would also want to expose some properties or methods on your constructs. For example,
it's not very useful to have a topic hidden behind your construct, because it wouldn't be possible for
users of your construct to subscribe to it. Adding a topic property allows consumers to access the inner
topic, as shown in the following example:
TypeScript
JavaScript
module.exports = { NotifyingBucket };
Python
class NotifyingBucket(Construct):
Version 2
82
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing your own constructs
bucket.add_object_created_notification(s3notify.SnsDestination(self.topic),
s3.NotificationKeyFilter(prefix=prefix))
Java
public NotifyingBucket(final Construct scope, final String id, final String prefix)
{
this(scope, id, null, prefix);
}
C#
TypeScript
Version 2
83
AWS Cloud Development Kit (CDK) v2 Developer Guide
The construct tree
JavaScript
Python
Java
C#
The root of this tree is your app—that is, an instance of the App class. Within the app, you instantiate
one or more stacks. Within stacks, you instantiate either AWS CloudFormation resources or higher-level
constructs, which may themselves instantiate resources or other constructs, and so on down the tree.
Constructs are always explicitly defined within the scope of another construct, so there is never any
doubt about the relationships between constructs. Almost always, you should pass this (in Python,
self) as the scope, indicating that the new construct is a child of the current construct. The intended
pattern is that you derive your construct from Construct, then instantiate the constructs it uses in its
constructor.
Passing the scope explicitly allows each construct to add itself to the tree, with this behavior entirely
contained within the Construct base class. It works the same way in every language supported by the
AWS CDK and does not require introspection or other "magic."
Important
Technically, it's possible to pass some scope other than this when instantiating a construct,
which allows you to add constructs anywhere in the tree, even in another stack entirely. For
example, you could write a mixin-style function that adds constructs to a scope passed in as an
argument. The practical difficulty here is that you can't easily ensure that the IDs you choose for
your constructs are unique within someone else's scope. The practice also makes your code more
difficult to understand, maintain, and reuse. It is virtually always better to find a way to express
your intent without resorting to abusing the scope argument.
The AWS CDK uses the IDs of all constructs in the path from the tree's root to each child construct to
generate the unique IDs required by AWS CloudFormation. This approach means that construct IDs need
be unique only within their scope, rather than within the entire stack as in native AWS CloudFormation. It
Version 2
84
AWS Cloud Development Kit (CDK) v2 Developer Guide
Apps
does, however, mean that if you move a construct to a different scope, its generated stack-unique ID will
change, and AWS CloudFormation will no longer consider it the same resource.
The construct tree is separate from the constructs you define in your AWS CDK code, but it is accessible
through any construct's node attribute, which is a reference to the node that represents that construct in
the tree. Each node is a Node instance, the attributes of which provide access to the tree's root and to the
node's parent scopes and children.
The construct tree defines an implicit order in which constructs are synthesized to resources in the
final AWS CloudFormation template. Where one resource must be created before another, AWS
CloudFormation or the AWS Construct Library will generally infer the dependency and make sure the
resources are created in the right order. You can also add an explicit dependency between two nodes
using node.addDependency(); see Dependencies in the AWS CDK API Reference.
The AWS CDK provides a simple way to visit every node in the construct tree and perform an operation
on each one. See the section called “Aspects” (p. 170).
Apps
As described in the section called “Constructs” (p. 69), to provision infrastructure resources, all
constructs that represent AWS resources must be defined, directly or indirectly, within the scope of a
Stack construct.
The following example declares a stack class named MyFirstStack that includes a single Amazon S3
bucket. However, this only declares a stack. You still need to define (also known as to instantiate) it in
some scope to deploy it.
TypeScript
JavaScript
Version 2
85
AWS Cloud Development Kit (CDK) v2 Developer Guide
The app construct
Python
class MyFirstStack(Stack):
s3.Bucket(self, "MyFirstBucket")
Java
public MyFirstStack(final Construct scope, final String id, final StackProps props)
{
super(scope, id, props);
C#
TypeScript
JavaScript
Python
app = App()
MyFirstStack(app, "hello-cdk")
Version 2
86
AWS Cloud Development Kit (CDK) v2 Developer Guide
The app construct
app.synth()
Java
C#
The App construct doesn't require any initialization arguments, because it's the only construct that can
be used as a root for the construct tree. You can now use the App instance as a scope for defining a
single instance of your stack.
TypeScript
new MyApp().synth();
JavaScript
new MyApp().synth();
Python
class MyApp(App):
def __init__(self):
MyFirstStack(self, "hello-cdk")
MyApp().synth()
Java
// MyApp.java
package com.myorg;
import software.amazon.awscdk.App;
Version 2
87
AWS Cloud Development Kit (CDK) v2 Developer Guide
App lifecycle
}
}
// Main.java
package com.myorg;
C#
}
}
class Program
{
static void Main(string[] args)
{
new MyApp().Synth();
}
}
App lifecycle
The following diagram shows the phases that the AWS CDK goes through when you call the cdk deploy.
This command deploys the resources that your app defines.
An AWS CDK app goes through the following phases in its lifecycle.
Your code instantiates all of the defined constructs and then links them together. In this stage, all of
the constructs (app, stacks, and their child constructs) are instantiated and the constructor chain is
executed. Most of your app code is executed in this stage.
2. Preparation
All constructs that have implemented the prepare method participate in a final round of
modifications, to set up their final state. The preparation phase happens automatically. As a user,
you don't see any feedback from this phase. It's rare to need to use the "prepare" hook, and generally
Version 2
88
AWS Cloud Development Kit (CDK) v2 Developer Guide
Cloud assemblies
not recommended. You should be very careful when mutating the construct tree during this phase,
because the order of operations could impact behavior.
3. Validation
All constructs that have implemented the validate method can validate themselves to ensure
that they're in a state that will correctly deploy. You will get notified of any validation failures that
happen during this phase. Generally, we recommend that you perform validation as soon as possible
(usually as soon as you get some input) and throw exceptions as early as possible. Performing
validation early improves diagnosability as stack traces will be more accurate, and ensures that your
code can continue to execute safely.
4. Synthesis
This is the final stage of the execution of your AWS CDK app. It's triggered by a call to
app.synth(), and it traverses the construct tree and invokes the synthesize method on
all constructs. Constructs that implement synthesize can participate in synthesis and emit
deployment artifacts to the resulting cloud assembly. These artifacts include AWS CloudFormation
templates, AWS Lambda application bundles, file and Docker image assets, and other deployment
artifacts. the section called “Cloud assemblies” (p. 89) describes the output of this phase. In most
cases, you won't need to implement the synthesize method
5. Deployment
In this phase, the AWS CDK Toolkit takes the deployment artifacts cloud assembly produced by the
synthesis phase and deploys it to an AWS environment. It uploads assets to Amazon S3 and Amazon
ECR, or wherever they need to go, and then starts an AWS CloudFormation deployment to deploy
the application and create the resources.
By the time the AWS CloudFormation deployment phase (step 5) starts, your AWS CDK app has already
finished and exited. This has the following implications:
• The AWS CDK app can't respond to events that happen during deployment, such as a resource being
created or the whole deployment finishing. To run code during the deployment phase, you have to
inject it into the AWS CloudFormation template as a custom resource (p. 180). For more information
about adding a custom resource to your app, see the AWS CloudFormation module, or the custom-
resource example.
• The AWS CDK app might have to work with values that can't be known at the time it runs. For
example, if the AWS CDK app defines an Amazon S3 bucket with an automatically generated
name, and you retrieve the bucket.bucketName (Python: bucket_name) attribute, that value
is not the name of the deployed bucket. Instead, you get a Token value. To determine whether a
particular value is available, call cdk.isToken(value) (Python: is_token). See the section called
“Tokens” (p. 127) for details.
Cloud assemblies
The call to app.synth() is what tells the AWS CDK to synthesize a cloud assembly from an app.
Typically you don't interact directly with cloud assemblies. They are files that include everything needed
to deploy your app to a cloud environment. For example, it includes an AWS CloudFormation template
for each stack in your app, and a copy of any file assets or Docker images that you reference in your app.
See the cloud assembly specification for details on how cloud assemblies are formatted.
To interact with the cloud assembly that your AWS CDK app creates, you typically use the AWS CDK
Toolkit, a command-line tool. But any tool that can read the cloud assembly format can be used to
deploy your app.
The CDK Toolkit needs to know how to execute your AWS CDK app. If you created the project from a
template using the cdk init command, your app's cdk.json file includes an app key that specifies the
Version 2
89
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
necessary command for the language the app is written in. If your language requires compilation, the
command line performs this step before running the app, so you can't forget to do it.
TypeScript
{
"app": "npx ts-node --prefer-ts-exts bin/my-app.ts"
}
JavaScript
{
"app": "node bin/my-app.js"
}
Python
{
"app": "python app.py"
}
Java
{
"app": "mvn -e -q compile exec:java"
}
C#
{
"app": "dotnet run -p src/MyApp/MyApp.csproj"
}
If you did not create your project using the CDK Toolkit, or wish to override the command line given in
cdk.json, you can use the --app option when issuing the cdk command.
The executable part of the command indicates the command that should be run to execute your CDK
application. Use quotation marks as shown, since such commands contain spaces. The cdk-command is a
subcommand like synth or deploy that tells the CDK Toolkit what you want to do with your app. Follow
this with any additional options needed for that subcommand.
The CLI can also interact directly with an already-synthesized cloud assembly. To do that, just pass the
directory in which the cloud assembly is stored in --app. The following example lists the stacks defined
in the cloud assembly stored under ./my-cloud-assembly.
Stacks
The unit of deployment in the AWS CDK is called a stack. All AWS resources defined within the scope of a
stack, either directly or indirectly, are provisioned as a single unit.
Version 2
90
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
Because AWS CDK stacks are implemented through AWS CloudFormation stacks, they have the same
limitations as in AWS CloudFormation.
You can define any number of stacks in your AWS CDK app. Any instance of the Stack construct
represents a stack, and can be either defined directly within the scope of the app, like the
MyFirstStack example shown previously, or indirectly by any construct within the tree.
For example, the following code defines an AWS CDK app with two stacks.
TypeScript
app.synth();
JavaScript
app.synth();
Python
app = App()
MyFirstStack(app, 'stack1')
MySecondStack(app, 'stack2')
app.synth()
Java
app.synth();
C#
app.Synth();
To list all the stacks in an AWS CDK app, run the cdk ls command, which for the previous AWS CDK app
would have the following output.
stack1
Version 2
91
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
stack2
When you run the cdk synth command for an app with multiple stacks, the cloud assembly includes a
separate template for each stack instance. Even if the two stacks are instances of the same class, the
AWS CDK emits them as two individual templates.
You can synthesize each template by specifying the stack name in the cdk synth command. The
following example synthesizes the template for stack1.
This approach is conceptually different from how AWS CloudFormation templates are normally used,
where a template can be deployed multiple times and parameterized through AWS CloudFormation
parameters. Although AWS CloudFormation parameters can be defined in the AWS CDK, they are
generally discouraged because AWS CloudFormation parameters are resolved only during deployment.
This means that you cannot determine their value in your code. For example, to conditionally include
a resource in your app based on the value of a parameter, you must set up an AWS CloudFormation
condition and tag the resource with this condition. Because the AWS CDK takes an approach where
concrete templates are resolved at synthesis time, you can use an if statement to check the value to
determine whether a resource should be defined or some behavior should be applied.
Note
The AWS CDK provides as much resolution as possible during synthesis time to enable idiomatic
and natural usage of your programming language.
Like any other construct, stacks can be composed together into groups. The following code shows an
example of a service that consists of three stacks: a control plane, a data plane, and monitoring stacks.
The service construct is defined twice: once for the beta environment and once for the production
environment.
TypeScript
interface EnvProps {
prod: boolean;
}
super(scope, id);
// we might use the prod argument to change how the service is configured
new ControlPlane(this, "cp");
new DataPlane(this, "data");
new Monitoring(this, "mon"); }
}
Version 2
92
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
app.synth();
JavaScript
super(scope, id);
// we might use the prod argument to change how the service is configured
new ControlPlane(this, "cp");
new DataPlane(this, "data");
new Monitoring(this, "mon");
}
}
app.synth();
Python
class MyService(Construct):
super().__init__(scope, id)
# we might use the prod argument to change how the service is configured
ControlPlane(self, "cp")
DataPlane(self, "data")
Monitoring(self, "mon")
app = App();
MyService(app, "beta")
MyService(app, "prod", prod=True)
app.synth()
Java
package com.myorg;
import software.amazon.awscdk.App;
Version 2
93
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
import software.amazon.awscdk.Stack;
import software.constructs.Construct;
// we might use the prod argument to change how the service is configured
new ControlPlane(this, "cp");
new DataPlane(this, "data");
new Monitoring(this, "mon");
}
}
app.synth();
}
}
C#
using Amazon.CDK;
using Constructs;
Version 2
94
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stacks
class Program
{
static void Main(string[] args)
{
This AWS CDK app eventually consists of six stacks, three for each environment:
$ cdk ls
betacpDA8372D3
betadataE23DB2BA
betamon632BD457
prodcp187264CE
proddataF7378CE5
prodmon631A1083
The physical names of the AWS CloudFormation stacks are automatically determined by the AWS CDK
based on the stack's construct path in the tree. By default, a stack's name is derived from the construct
ID of the Stack object, but you can specify an explicit name using the stackName prop (in Python,
stack_name), as follows.
TypeScript
JavaScript
Python
Java
Version 2
95
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stack API
C#
Stack API
The Stack object provides a rich API, including the following:
• Stack.of(construct) – A static method that returns the Stack in which a construct is defined. This
is useful if you need to interact with a stack from within a reusable construct. The call fails if a stack
cannot be found in scope.
• stack.stackName (Python: stack_name) – Returns the physical name of the stack. As mentioned
previously, all AWS CDK stacks have a physical name that the AWS CDK can resolve during synthesis.
• stack.region and stack.account – Return the AWS Region and account, respectively, into which
this stack will be deployed. These properties return either the account or Region explicitly specified
when the stack was defined, or a string-encoded token that resolves to the AWS CloudFormation
pseudo-parameters for account and Region to indicate that this stack is environment agnostic. See the
section called “Environments” (p. 97) for information about how environments are determined for
stacks.
• stack.addDependency(stack) (Python: stack.add_dependency(stack) – Can be used to
explicitly define dependency order between two stacks. This order is respected by the cdk deploy
command when deploying multiple stacks at once.
• stack.tags – Returns a TagManager that you can use to add or remove stack-level tags. This tag
manager tags all resources within the stack, and also tags the stack itself when it's created through
AWS CloudFormation.
• stack.partition, stack.urlSuffix (Python: url_suffix), stack.stackId (Python:
stack_id), and stack.notificationArn (Python: notification_arn) – Return tokens
that resolve to the respective AWS CloudFormation pseudo-parameters, such as { "Ref":
"AWS::Partition" }. These tokens are associated with the specific stack object so that the AWS
CDK framework can identify cross-stack references.
• stack.availabilityZones (Python: availability_zones) – Returns the set of Availability Zones
available in the environment in which this stack is deployed. For environment-agnostic stacks, this
always returns an array with two Availability Zones, but for environment-specific stacks, the AWS CDK
queries the environment and returns the exact set of Availability Zones available in the region you
specified.
• stack.parseArn(arn) and stack.formatArn(comps) (Python: parse_arn, format_arn) – Can
be used to work with Amazon Resource Names (ARNs).
• stack.toJsonString(obj) (Python: to_json_string) – Can be used to format an arbitrary
object as a JSON string that can be embedded in an AWS CloudFormation template. The object can
include tokens, attributes, and references, which are only resolved during deployment.
• stack.templateOptions (Python: template_options) – Enables you to specify AWS
CloudFormation template options, such as Transform, Description, and Metadata, for your stack.
Nested stacks
The NestedStack construct offers a way around the AWS CloudFormation 500-resource limit for stacks.
A nested stack counts as only one resource in the stack that contains it, but can itself contain up to 500
resources, including additional nested stacks.
Version 2
96
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
The scope of a nested stack must be a Stack or NestedStack construct. The nested stack needn't
be declared lexically inside its parent stack; it is necessary only to pass the parent stack as the first
parameter (scope) when instantiating the nested stack. Aside from this restriction, defining constructs in
a nested stack works exactly the same as in an ordinary stack.
At synthesis time, the nested stack is synthesized to its own AWS CloudFormation template, which is
uploaded to the AWS CDK staging bucket at deployment. Nested stacks are bound to their parent stack
and are not treated as independent deployment artifacts; they are not listed by cdk list nor can they
be deployed by cdk deploy.
References between parent stacks and nested stacks are automatically translated to stack
parameters and outputs in the generated AWS CloudFormation templates, as with any cross-stack
reference (p. 106).
Warning
Changes in security posture are not displayed before deployment for nested stacks. This
information is displayed only for top-level stacks.
Environments
Each Stack instance in your AWS CDK app is explicitly or implicitly associated with an environment
(env). An environment is the target AWS account and region into which the stack is intended to be
deployed.
Note
For all but the simplest deployments, you will need to bootstrap (p. 180) each environment
you will deploy into. Deployment requires certain AWS resources to be available, and these
resources are provisioned by bootstrapping.
If you don't specify an environment when you instantiate a stack, the stack is said to be environment-
agnostic. AWS CloudFormation templates synthesized from such a stack will try to use deploy-
time resolution on environment-related attributes such as stack.account, stack.region, and
stack.availabilityZones (Python: availability_zones).
Tip
If you're using the standard AWS CDK development template, your stacks are instantiated in the
same file where you instantiate the App object.
TypeScript
The file named after your project (for example, hello-cdk.ts) in your project's bin folder.
JavaScript
The file named after your project (for example, hello-cdk.js) in your project's bin folder.
Python
Version 2
97
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
In an environment-agnostic stack, any constructs that use availability zones will see two of them,
allowing the stack to be deployed to any region.
When using cdk deploy to deploy environment-agnostic stacks, the AWS CDK CLI uses the specified AWS
CLI profile (or the default profile, if none is specified) to determine where to deploy. The AWS CDK CLI
follows a protocol similar to the AWS CLI to determine which AWS credentials to use when performing
operations in your AWS account. See the section called “AWS CDK Toolkit” (p. 278) for details.
For production stacks, we recommend that you explicitly specify the environment for each stack in your
app using the env property. The following example specifies different environments for its two different
stacks.
TypeScript
JavaScript
Python
Java
app.synth();
}
Version 2
98
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
C#
When you hard-code the target account and region as above, the stack will always be deployed to that
specific account and region. To make the stack deployable to a different target, but to determine the
target at synthesis time, your stack can use two environment variables provided by the AWS CDK CLI:
CDK_DEFAULT_ACCOUNT and CDK_DEFAULT_REGION. These variables are set based on the AWS profile
specified using the --profile option, or the default AWS profile if you don't specify one.
The following code fragment shows how to access the account and region passed from the AWS CDK CLI
in your stack.
TypeScript
JavaScript
Python
Version 2
99
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
import os
MyDevStack(app, "dev", env=cdk.Environment(
account=os.environ["CDK_DEFAULT_ACCOUNT"],
region=os.environ["CDK_DEFAULT_REGION"]))
Java
return Environment.builder()
.account(account)
.region(region)
.build();
}
app.synth();
}
}
C#
The AWS CDK distinguishes between not specifying the env property at all and specifying it using
CDK_DEFAULT_ACCOUNT and CDK_DEFAULT_REGION. The former implies that the stack should
synthesize an environment-agnostic template. Constructs that are defined in such a stack cannot use any
information about their environment. For example, you can't write code like if (stack.region ===
'us-east-1') or use framework facilities like Vpc.fromLookup (Python: from_lookup), which need to
Version 2
100
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
query your AWS account. These features do not work at all without an explicit environment specified; to
use them, you must specify env.
You can set env however you like, using any valid expression. For example, you might write your stack
to support two additional environment variables to let you override the account and region at synthesis
time. We'll call these CDK_DEPLOY_ACCOUNT and CDK_DEPLOY_REGION here, but you could name them
anything you like, as they are not set by the AWS CDK. In the following stack's environment, we use our
alternative environment variables if they're set, falling back to the default environment provided by the
AWS CDK if they are not.
TypeScript
JavaScript
Python
Java
return Environment.builder()
.account(account)
.region(region)
.build();
}
Version 2
101
AWS Cloud Development Kit (CDK) v2 Developer Guide
Environments
app.synth();
}
}
C#
With your stack's environment declared this way, you can now write a short script or batch file like the
following to set the variables from command line arguments, then call cdk deploy. Any arguments
beyond the first two are passed through to cdk deploy and can be used to specify command-line
options or stacks.
macOS/Linux
#!/usr/bin/env bash
if [[ $# -ge 2 ]]; then
export CDK_DEPLOY_ACCOUNT=$1
export CDK_DEPLOY_REGION=$2
shift; shift
npx cdk deploy "$@"
exit $?
else
echo 1>&2 "Provide account and region as first two args."
echo 1>&2 "Additional args are passed through to cdk deploy."
exit 1
fi
Version 2
102
AWS Cloud Development Kit (CDK) v2 Developer Guide
Resources
} else {
[console]::error.writeline("Provide account and region as first two args.")
[console]::error.writeline("Additional args are passed through to cdk deploy.")
exit 1
}
The Windows version of the script uses PowerShell to provide the same functionality as the macOS/
Linux version. It also contains instructions to allow it to be run as a batch file so it can be easily
invoked from a command line. It should be saved as cdk-deploy-to.bat. The file cdk-deploy-
to.ps1 will be created when the batch file is invoked.
Then you can write additional scripts that call the "deploy-to" script to deploy to specific environments
(even multiple environments per script):
macOS/Linux
#!/usr/bin/env bash
# cdk-deploy-to-test.sh
./cdk-deploy-to.sh 123457689 us-east-1 "$@"
Windows
@echo off
rem cdk-deploy-to-test.bat
cdk-deploy-to 135792469 us-east-1 %*
When deploying to multiple environments, consider whether you want to continue deploying to
other environments after a deployment fails. The following example avoids deploying to the second
production environment if the first doesn't succeed.
macOS/Linux
#!/usr/bin/env bash
# cdk-deploy-to-prod.sh
./cdk-deploy-to.sh 135792468 us-west-1 "$@" || exit
./cdk-deploy-to.sh 246813579 eu-west-1 "$@"
Windows
@echo off
rem cdk-deploy-to-prod.bat
cdk-deploy-to 135792469 us-west-1 %* || exit /B
cdk-deploy-to 245813579 eu-west-1 %*
Developers could still use the normal cdk deploy command to deploy to their own AWS environments
for development.
Resources
As described in the section called “Constructs” (p. 69), the AWS CDK provides a rich class library of
constructs, called AWS constructs, that represent all AWS resources. This section describes some common
patterns and best practices for how to use these constructs.
Version 2
103
AWS Cloud Development Kit (CDK) v2 Developer Guide
Resource attributes
Defining AWS resources in your CDK app is exactly like defining any other construct. You create an
instance of the construct class, pass in the scope as the first argument, the logical ID of the construct,
and a set of configuration properties (props). For example, here's how to create an Amazon SQS queue
with KMS encryption using the sqs.Queue construct from the AWS Construct Library.
TypeScript
JavaScript
Python
Java
import software.amazon.awscdk.services.sqs.*;
Queue.Builder.create(this, "MyQueue").encryption(
QueueEncryption.KMS_MANAGED).build();
C#
using Amazon.CDK.AWS.SQS;
Some configuration props are optional, and in many cases have default values. In some cases, all props
are optional, and the last argument can be omitted entirely.
Resource attributes
Most resources in the AWS Construct Library expose attributes, which are resolved at deployment time
by AWS CloudFormation. Attributes are exposed in the form of properties on the resource classes with
the type name as a prefix. The following example shows how to get the URL of an Amazon SQS queue
using the queueUrl (Python: queue_url) property.
TypeScript
Version 2
104
AWS Cloud Development Kit (CDK) v2 Developer Guide
Referencing resources
JavaScript
Python
Java
import software.amazon.awscdk.services.sqs.*;
C#
using Amazon.CDK.AWS.SQS;
See the section called “Tokens” (p. 127) for information about how the AWS CDK encodes deploy-time
attributes as strings.
Referencing resources
Many AWS CDK classes require properties that are AWS CDK resource objects (resources). To satisfy these
requirements, you can refer to a resource in one of two ways:
For example, an Amazon ECS service requires a reference to the cluster on which it runs; an Amazon
CloudFront distribution requires a reference to the bucket containing source code.
If a construct property represents another AWS construct, its type is that of the interface type of that
construct. For example, the Amazon ECS service takes a property cluster of type ecs.ICluster;
the CloudFront distribution takes a property sourceBucket (Python: source_bucket) of type
s3.IBucket.
Because every resource implements its corresponding interface, you can directly pass any resource object
you're defining in the same AWS CDK app. The following example defines an Amazon ECS cluster and
then uses it to define an Amazon ECS service.
Version 2
105
AWS Cloud Development Kit (CDK) v2 Developer Guide
Accessing resources in a different stack
TypeScript
JavaScript
Python
Java
C#
TypeScript
JavaScript
Version 2
106
AWS Cloud Development Kit (CDK) v2 Developer Guide
Accessing resources in a different stack
Python
Java
C#
If the AWS CDK determines that the resource is in the same account and Region, but in a different stack,
it automatically synthesizes AWS CloudFormation exports in the producing stack and an Fn::ImportValue
in the consuming stack to transfer that information from one stack to the other.
Referencing a resource from one stack in a different stack creates a dependency between the two stacks.
Once this dependency is established, removing the use of the shared resource from the consuming
stack can cause an unexpected deployment failure if the AWS CDK Toolkit deploys the producing stack
before the consuming stack. This happens if there is another dependency between the two stacks, but
it can also happen that the producing stack is chosen by the AWS CDK Toolkit to be deployed first. The
AWS CloudFormation export is removed from the producing stack because it is no longer needed, but
Version 2
107
AWS Cloud Development Kit (CDK) v2 Developer Guide
Physical names
the exported resource is still being used in the consuming stack because its update has not yet been
deployed, so deploying the producer stack fails.
To break this deadlock, remove the use of the shared resource from the consuming stack (which will
remove the automatic export from the producing stack), then manually add the same export to the
producing stack using exactly the same logical ID as the automatically-generated export. Remove the
use of the shared resource in the consuming stack and deploy both stacks. Then remove the manual
export (and the shared resource if it is no longer nededed), and deploy both stacks again. The stack's
exportValue() method is a convenient way to create the manual export for this purpose (see the
example in the linked method reference).
Physical names
The logical names of resources in AWS CloudFormation are different from the names of resources that
are shown in the AWS Management Console after AWS CloudFormation has deployed the resources. The
AWS CDK calls these final names physical names.
For example, AWS CloudFormation might create the Amazon S3 bucket with the logical
ID Stack2MyBucket4DD88B4F from the previous example with the physical name
stack2mybucket4dd88b4f-iuv1rbv9z3to.
You can specify a physical name when creating constructs that represent resources by using the property
<resourceType>Name. The following example creates an Amazon S3 bucket with the physical name my-
bucket-name.
TypeScript
JavaScript
Python
Java
C#
Assigning physical names to resources has some disadvantages in AWS CloudFormation. Most
importantly, any changes to deployed resources that require a resource replacement, such as changes
to a resource's properties that are immutable after creation, will fail if a resource has a physical name
assigned. If you end up in that state, the only solution is to delete the AWS CloudFormation stack, then
deploy the AWS CDK app again. See the AWS CloudFormation documentation for details.
Version 2
108
AWS Cloud Development Kit (CDK) v2 Developer Guide
Passing unique identifiers
In some cases, such as when creating an AWS CDK app with cross-environment references, physical
names are required for the AWS CDK to function correctly. In those cases, if you don't want to bother
with coming up with a physical name yourself, you can let the AWS CDK name it for you by using the
special value PhysicalName.GENERATE_IF_NEEDED, as follows.
TypeScript
JavaScript
Python
Java
C#
These identifiers are available as attributes on the resources, such as the following.
TypeScript
bucket.bucketName
lambdaFunc.functionArn
securityGroup.groupArn
JavaScript
bucket.bucketName
lambdaFunc.functionArn
securityGroup.groupArn
Version 2
109
AWS Cloud Development Kit (CDK) v2 Developer Guide
Passing unique identifiers
Python
bucket.bucket_name
lambda_func.function_arn
security_group_arn
Java
The Java AWS CDK binding uses getter methods for attributes.
bucket.getBucketName()
lambdaFunc.getFunctionArn()
securityGroup.getGroupArn()
C#
bucket.BucketName
lambdaFunc.FunctionArn
securityGroup.GroupArn
The following example shows how to pass a generated bucket name to an AWS Lambda function.
TypeScript
JavaScript
Python
Java
Function.Builder.create(this, "MyLambda")
.environment(java.util.Map.of( // Java 9 or later
"BUCKET_NAME", bucket.getBucketName()))
Version 2
110
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing existing external resources
.build();
C#
The following example shows how to define a bucket based on an existing bucket with the ARN
arn:aws:s3:::my-bucket-name, and a Amazon Virtual Private Cloud based on an existing VPC having a
specific ID.
TypeScript
JavaScript
Python
Version 2
111
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing existing external resources
Java
C#
Because the ec2.Vpc construct is complex, composed of many AWS resources, such as the VPC itself,
subnets, security groups, and routing tables, it can be difficult to import those resources using attributes.
To address this, the VPC construct contains a fromLookup method (Python: from_lookup) that uses a
context method (p. 165) to resolve all the required attributes at synthesis time, and cache the values
for future use in cdk.context.json.
You must provide attributes sufficient to uniquely identify a VPC in your AWS account. For example,
there can only ever be one default VPC, so specifying that you want to import the VPC marked as the
default is sufficient.
TypeScript
ec2.Vpc.fromLookup(this, 'DefaultVpc', {
isDefault: true
});
JavaScript
ec2.Vpc.fromLookup(this, 'DefaultVpc', {
isDefault: true
});
Python
Version 2
112
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing existing external resources
Java
C#
You can use the tags property to query by tag. Tags may be added to the VPC at the time of its creation
using AWS CloudFormation or the AWS CDK, and they may be edited at any time after creation using
the AWS Management Console, the AWS CLI, or an AWS SDK. In addition to any tags you have added
yourself, the AWS CDK automatically adds the following tags to all VPCs it creates.
TypeScript
ec2.Vpc.fromLookup(this, 'PublicVpc',
{tags: {'aws-cdk:subnet-type': "Public"}});
JavaScript
ec2.Vpc.fromLookup(this, 'PublicVpc',
{tags: {'aws-cdk:subnet-type': "Public"}});
Python
ec2.Vpc.from_lookup(self, "PublicVpc",
tags={"aws-cdk:subnet-type": "Public"})
Java
C#
Vpc.fromLookup() works only in stacks that are defined with an explicit account and region in their
env property. If the AWS CDK attempts to look up an Amazon VPC from an environment-agnostic
stack (p. 96), the CLI does not know which environment to query to find the VPC.
Results of Vpc.fromLookup() are cached in the project's cdk.context.json file. Commit this file to
version control if you will be deploying the stack in an environment that does not have access to the AWS
account that defines the VPC, such as CDK Pipelines (p. 255).
Version 2
113
AWS Cloud Development Kit (CDK) v2 Developer Guide
Permission grants
Although you can use an imported resource anywhere, you cannot modify the imported resource. For
example, calling addToResourcePolicy (Python: add_to_resource_policy) on an imported
s3.Bucket does nothing.
Permission grants
AWS constructs make least-privilege permissions easy to achieve by offering simple, intent-based APIs
to express permission requirements. Many AWS constructs offer grant methods that enable you to easily
grant an entity, such as an IAM role or a user, permission to work with the resource without having to
manually craft one or more IAM permission statements.
The following example creates the permissions to allow a Lambda function's execution role to read and
write objects to a particular Amazon S3 bucket. If the Amazon S3 bucket is encrypted using an AWS KMS
key, this method also grants the Lambda function's execution role permissions to decrypt using this key.
TypeScript
if (bucket.grantReadWrite(func).success) {
// ...
}
JavaScript
if ( bucket.grantReadWrite(func).success) {
// ...
}
Python
if bucket.grant_read_write(func).success:
# ...
Java
if (bucket.grantReadWrite(func).getSuccess()) {
// ...
}
C#
if (bucket.GrantReadWrite(func).Success)
{
// ...
}
The grant methods return an iam.Grant object. Use the success attribute of the Grant object to
determine whether the grant was effectively applied (for example, it may not have been applied on
imported resources (p. 105)). You can also use the assertSuccess (Python: assert_success)
method of the Grant object to enforce that the grant was successfully applied.
If a specific grant method isn't available for the particular use case, you can use a generic grant method
to define a new grant with a specified list of actions.
The following example shows how to grant a Lambda function access to the Amazon DynamoDB
CreateBackup action.
Version 2
114
AWS Cloud Development Kit (CDK) v2 Developer Guide
Metrics and alarms
TypeScript
table.grant(func, 'dynamodb:CreateBackup');
JavaScript
table.grant(func, 'dynamodb:CreateBackup');
Python
table.grant(func, "dynamodb:CreateBackup")
Java
table.grant(func, "dynamodb:CreateBackup");
C#
table.Grant(func, "dynamodb:CreateBackup");
Many resources, such as Lambda functions, require a role to be assumed when executing code. A
configuration property enables you to specify an iam.IRole. If no role is specified, the function
automatically creates a role specifically for this use. You can then use grant methods on the resources to
add statements to the role.
The grant methods are built using lower-level APIs for handling with IAM policies. Policies are modeled
as PolicyDocument objects. Add statements directly to roles (or a construct's attached role) using the
addToRolePolicy method (Python: add_to_role_policy), or to a resource's policy (such as a
Bucket policy) using the addToResourcePolicy (Python: add_to_resource_policy) method.
TypeScript
Version 2
115
AWS Cloud Development Kit (CDK) v2 Developer Guide
Metrics and alarms
threshold: 100,
// ...
});
JavaScript
const cw = require('aws-cdk-lib/aws-cloudwatch');
const sqs = require('aws-cdk-lib/aws-sqs');
const { Duration } = require('aws-cdk-lib');
Python
import aws_cdk.aws_cloudwatch as cw
import aws_cdk.aws_sqs as sqs
from aws_cdk import Duration
Java
import software.amazon.awscdk.Duration;
import software.amazon.awscdk.services.sqs.Queue;
import software.amazon.awscdk.services.cloudwatch.Metric;
import software.amazon.awscdk.services.cloudwatch.MetricOptions;
import software.amazon.awscdk.services.cloudwatch.CreateAlarmOptions;
import software.amazon.awscdk.services.cloudwatch.ComparisonOperator;
Version 2
116
AWS Cloud Development Kit (CDK) v2 Developer Guide
Network traffic
C#
If there is no method for a particular metric, you can use the general metric method to specify the metric
name manually.
Network traffic
In many cases, you must enable permissions on a network for an application to work, such as when
the compute infrastructure needs to access the persistence layer. Resources that establish or listen for
connections expose methods that enable traffic flows, including setting security group rules or network
ACLs.
IConnectable resources have a connections property that is the gateway to network traffic rules
configuration.
You enable data to flow on a given network path by using allow methods. The following example
enables HTTPS connections to the web and incoming connections from the Amazon EC2 Auto Scaling
group fleet2.
TypeScript
JavaScript
Version 2
117
AWS Cloud Development Kit (CDK) v2 Developer Guide
Network traffic
Python
Java
import software.amazon.awscdk.services.autoscaling.AutoScalingGroup;
import software.amazon.awscdk.services.ec2.Peer;
import software.amazon.awscdk.services.ec2.Port;
C#
Certain resources have default ports associated with them, for example, the listener of a load balancer
on the public port, and the ports on which the database engine accepts connections for instances of an
Amazon RDS database. In such cases, you can enforce tight network control without having to manually
specify the port by using the allowDefaultPortFrom and allowToDefaultPort methods (Python:
allow_default_port_from, allow_to_default_port).
Version 2
118
AWS Cloud Development Kit (CDK) v2 Developer Guide
Event handling
The following example shows how to enable connections from any IPV4 address, and a connection from
an Auto Scaling group to access a database.
TypeScript
JavaScript
Python
Java
C#
Event handling
Some resources can act as event sources. Use the addEventNotification method (Python:
add_event_notification) to register an event target to a particular event type emitted by the
resource. In addition to this, addXxxNotification methods offer a simple way to register a handler for
common event types.
The following example shows how to trigger a Lambda function when an object is added to an Amazon
S3 bucket.
TypeScript
JavaScript
Version 2
119
AWS Cloud Development Kit (CDK) v2 Developer Guide
Removal policies
Python
Java
import software.amazon.awscdk.services.s3.Bucket;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.s3.notifications.LambdaDestination;
C#
Removal policies
Resources that maintain persistent data, such as databases and Amazon S3 buckets and even Amazon
ECR registries, have a removal policy that indicates whether to delete persistent objects when the AWS
CDK stack that contains them is destroyed. The values specifying the removal policy are available
through the RemovalPolicy enumeration in the aws-cdk-lib module.
Note
Resources besides those that store data persistently may also have a removalPolicy that is
used for a different purpose. For example, a Lambda function version uses a removalPolicy
attribute to determine whether a given version is retained when a new version is deployed.
These have different meanings and defaults compared to the removal policy on an Amazon S3
bucket or DynamoDB table.
Value meaning
Version 2
120
AWS Cloud Development Kit (CDK) v2 Developer Guide
Removal policies
AWS CloudFormation does not remove Amazon S3 buckets that contain files even if their removal policy
is set to DESTROY. Attempting to do so is a AWS CloudFormation error. To have the AWS CDK delete all
files from the bucket before destroying it, set the bucket's autoDeleteObjects property to true.
TypeScript
JavaScript
module.exports = { CdkTestStack }
Python
class CdkTestStack(cdk.stack):
def __init__(self, scope: Construct, id: str, **kwargs):
super().__init__(scope, id, **kwargs)
Java
software.amazon.awscdk.*;
import software.amazon.awscdk.services.s3.*;
Version 2
121
AWS Cloud Development Kit (CDK) v2 Developer Guide
Removal policies
public CdkTestStack(final Construct scope, final String id, final StackProps props)
{
super(scope, id, props);
Bucket.Builder.create(this, "Bucket")
.removalPolicy(RemovalPolicy.DESTROY)
.autoDeleteObjects(true).build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.S3;
You can also apply a removal policy directly to the underlying AWS CloudFormation resource via the
applyRemovalPolicy() method. This method is available on some stateful resources that do not
have a removalPolicy property in their L2 resource's props, including AWS CloudFormation stacks,
Amazon Cognito user pools, Amazon DocumentDB database instances, Amazon EC2 volumes, Amazon
OpenSearch Service domains, Amazon FSx file systems, and Amazon SQS queues.
TypeScript
JavaScript
Python
resource = bucket.node.find_child('Resource')
resource.apply_removal_policy(cdk.RemovalPolicy.DESTROY);
Java
C#
Version 2
122
AWS Cloud Development Kit (CDK) v2 Developer Guide
Identifiers
Note
The AWS CDK's RemovalPolicy translates to AWS CloudFormation's DeletionPolicy, but
the default in AWS CDK is to retain the data, which is the opposite of the AWS CloudFormation
default.
Identifiers
The AWS CDK deals with many types of identifiers and names. To use the AWS CDK effectively and avoid
errors, you need to understand the types of identifiers.
Identifiers must be unique within the scope in which they are created; they do not need to be globally
unique in your AWS CDK application.
If you attempt to create an identifier with the same value within the same scope, the AWS CDK throws an
exception.
Construct IDs
The most common identifier, id, is the identifier passed as the second argument when instantiating a
construct object. This identifier, like all identifiers, need only be unique within the scope in which it is
created, which is the first argument when instantiating a construct object.
Note
The id of a stack is also the identifier you use to refer to it in the the section called “AWS CDK
Toolkit” (p. 278).
Let's look at an example where we have two constructs with the identifier MyBucket in our app.
However, since they are defined in different scopes, the first in the scope of the stack with the identifier
Stack1, and the second in the scope of a stack with the identifier Stack2, that doesn't cause any sort of
conflict, and they can coexist in the same app without any issues.
TypeScript
JavaScript
Version 2
123
AWS Cloud Development Kit (CDK) v2 Developer Guide
Construct IDs
const s3 = require('aws-cdk-lib/aws-s3');
Python
class MyStack(Stack):
app = App()
MyStack(app, 'Stack1')
MyStack(app, 'Stack2')
Java
// MyStack.java
package com.myorg;
import software.amazon.awscdk.App;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.constructs.Construct;
import software.amazon.awscdk.services.s3.Bucket;
public MyStack(final Construct scope, final String id, final StackProps props) {
super(scope, id, props);
new Bucket(this, "MyBucket");
}
}
// Main.java
package com.myorg;
import software.amazon.awscdk.App;
Version 2
124
AWS Cloud Development Kit (CDK) v2 Developer Guide
Paths
C#
using Amazon.CDK;
using constructs;
using Amazon.CDK.AWS.S3;
class Program
{
static void Main(string[] args)
{
var app = new App();
new MyStack(app, "Stack1");
new MyStack(app, "Stack2");
}
}
Paths
The constructs in an AWS CDK application form a hierarchy rooted in the App class. We refer to the
collection of IDs from a given construct, its parent construct, its grandparent, and so on to the root of the
construct tree, as a path.
The AWS CDK typically displays paths in your templates as a string, with the IDs from the levels
separated by slashes, starting at the node just below the root App instance, which is usually a stack. For
example, the paths of the two Amazon S3 bucket resources in the previous code example are Stack1/
MyBucket and Stack2/MyBucket.
You can access the path of any construct programmatically, as shown in the following example, which
gets the path of myConstruct (or my_construct, as Python developers would write it). Since IDs must
be unique within the scope they are created, their paths are always unique within a AWS CDK application.
TypeScript
JavaScript
Python
path = my_construct.node.path
Java
Version 2
125
AWS Cloud Development Kit (CDK) v2 Developer Guide
Unique IDs
C#
Unique IDs
Since AWS CloudFormation requires that all logical IDs in a template are unique, the AWS CDK must be
able to generate a unique identifier for each construct in an application. Resources have paths that are
globally unique (the names of all scopes from the stack to a specific resource) so the AWS CDK generates
the necessary unique identifiers by concatenating the elements of the path and adding an 8-digit hash.
(The hash is necessary to distinguish distinct paths, such as A/B/C and A/BC, that would result in the
same AWS CloudFormation identifier, since AWS CloudFormation identifiers are alphanumeric and
cannot contain slashes or other separator characters.) The AWS CDK calls this string the unique ID of the
construct.
In general, your AWS CDK app should not need to know about unique IDs. You can, however, access the
unique ID of any construct programmatically, as shown in the following example.
TypeScript
JavaScript
Python
uid = Names.unique_id(my_construct)
Java
C#
The address is another kind of unique identifier that uniquely distinguishes CDK resources. Derived from
the SHA-1 hash of the path, it is not human-readable, but its constant, relatively short length (always 42
hexadecimal characters) makes it useful in situations where the "traditional" unique ID might be too long.
Some constructs may use the address in the synthesized AWS CloudFormation template instead of the
unique ID. Again, your app generally should not need to know about its constructs' addresses, but you
can retrieve a construct's address as follows.
TypeScript
JavaScript
Version 2
126
AWS Cloud Development Kit (CDK) v2 Developer Guide
Logical IDs
Python
addr = my_construct.node.addr
Java
C#
Logical IDs
Unique IDs serve as the logical identifiers, which are sometimes called logical names, of resources in the
generated AWS CloudFormation templates for those constructs that represent AWS resources.
For example, the Amazon S3 bucket in the previous example that is created within Stack2 results in
an AWS::S3::Bucket resource with the logical ID Stack2MyBucket4DD88B4F in the resulting AWS
CloudFormation template.
Logical ID stability
Avoid changing the logical ID of a resource after it has been created. Since AWS CloudFormation
identifies resources by their logical ID, if you change the logical ID of a resource, AWS CloudFormation
deletes the existing resource, and then creates a new resource with the new logical ID, which may cause
service interruption or data loss.
Tokens
Tokens represent values that can only be resolved at a later time in the lifecycle of an app (see the
section called “App lifecycle” (p. 88)). For example, the name of an Amazon S3 bucket that you
define in your AWS CDK app is only allocated when the AWS CloudFormation template is synthesized.
If you print the bucket.bucketName attribute, which is a string, you see it contains something like the
following.
${TOKEN[Bucket.Name.1234]}
This is how the AWS CDK encodes a token whose value is not yet known at construction time, but will
become available later. The AWS CDK calls these placeholders tokens. In this case, it's a token encoded as
a string.
You can pass this string around as if it was the name of the bucket, such as in the following example,
where the bucket name is specified as an environment variable to an AWS Lambda function.
TypeScript
Version 2
127
AWS Cloud Development Kit (CDK) v2 Developer Guide
Tokens and token encodings
});
JavaScript
Python
fn = lambda_.Function(stack, "MyLambda",
environment=dict(BUCKET_NAME=bucket.bucket_name))
Java
C#
When the AWS CloudFormation template is finally synthesized, the token is rendered as the AWS
CloudFormation intrinsic { "Ref": "MyBucket" }. At deployment time, AWS CloudFormation
replaces this intrinsic with the actual name of the bucket that was created.
Other functions typically only accept arguments of basic types, such as string or number. To use
tokens in these cases, you can encode them into one of three types using static methods on the
cdk.Token class.
• Token.asString to generate a string encoding (or call .toString() on the token object)
Version 2
128
AWS Cloud Development Kit (CDK) v2 Developer Guide
String-encoded tokens
These take an arbitrary value, which can be an IResolvable, and encode them into a primitive value of
the indicated type.
Important
Because any one of the previous types can potentially be an encoded token, be careful when
you parse or try to read their contents. For example, if you attempt to parse a string to extract a
value from it, and the string is an encoded token, your parsing will fail. Similarly, if you attempt
to query the length of an array, or perform math operations with a number, you must first verify
that they are not encoded tokens.
To check whether a value has an unresolved token in it, call the Token.isUnresolved (Python:
is_unresolved) method.
The following example validates that a string value, which could be a token, is no more than 10
characters long.
TypeScript
JavaScript
Python
Java
C#
If name is a token, validation isn't performed, and an error could still occur in a later stage in the
lifecycle, such as during deployment.
Note
You can use token encodings to escape the type system. For example, you could string-encode
a token that produces a number value at synthesis time. If you use these functions, it's your
responsibility to ensure that your template resolves to a usable state after synthesis.
String-encoded tokens
String-encoded tokens look like the following.
Version 2
129
AWS Cloud Development Kit (CDK) v2 Developer Guide
String-encoded tokens
${TOKEN[Bucket.Name.1234]}
They can be passed around like regular strings, and can be concatenated, as shown in the following
example.
TypeScript
JavaScript
Python
Java
C#
You can also use string interpolation, if your language supports it, as shown in the following example.
TypeScript
JavaScript
Python
function_name = f"{bucket.bucket_name}Function"
Java
C#
Avoid manipulating the string in other ways. For example, taking a substring of a string is likely to break
the string token.
Version 2
130
AWS Cloud Development Kit (CDK) v2 Developer Guide
List-encoded tokens
List-encoded tokens
List-encoded tokens look like the following
["#{TOKEN[Stack.NotificationArns.1234]}"]
The only safe thing to do with these lists is pass them directly to other constructs. Tokens in string
list form cannot be concatenated, nor can an element be taken from the token. The only safe way to
manipulate them is by using AWS CloudFormation intrinsic functions like Fn.select.
Number-encoded tokens
Number-encoded tokens are a set of tiny negative floating-point numbers that look like the following.
-1.8881545897087626e+289
As with list tokens, you cannot modify the number value, as doing so is likely to break the number token.
The only allowed operation is to pass the value around to another construct.
Lazy values
In addition to representing deploy-time values, such as AWS CloudFormation parameters (p. 133),
Tokens are also commonly used to represent synthesis-time lazy values. These are values for which the
final value will be determined before synthesis has completed, just not at the point where the value is
constructed. Use tokens to pass a literal string or number value to another construct, while the actual
value at synthesis time may depend on some calculation that has yet to occur.
You can construct tokens representing synth-time lazy values using static methods on the Lazy class,
such as Lazy.string and Lazy.number. These methods accept an object whose produce property is a
function that accepts a context argument and returns the final value when called.
The following example creates an Auto Scaling group whose capacity is determined after its creation.
TypeScript
JavaScript
let actualValue;
Version 2
131
AWS Cloud Development Kit (CDK) v2 Developer Guide
Lazy values
})
});
Python
class Producer:
def __init__(self, func):
self.produce = func
actual_value = None
AutoScalingGroup(self, "Group",
desired_capacity=Lazy.number_value(Producer(lambda context: actual_value))
)
Java
double actualValue = 0;
@Override
public Number produce(IResolveContext context) {
return actualValue;
}
}
AutoScalingGroup.Builder.create(this, "Group")
.desiredCapacity(Lazy.numberValue(new ProduceActualValue())).build();
C#
double actualValue = 0;
Version 2
132
AWS Cloud Development Kit (CDK) v2 Developer Guide
Converting to JSON
Converting to JSON
Sometimes you want to produce a JSON string of arbitrary data, and you may not know whether the
data contains tokens. To properly JSON-encode any data structure, regardless of whether it contains
tokens, use the method stack.toJsonString, as shown in the following example.
TypeScript
JavaScript
Python
stack = Stack.of(self)
string = stack.to_json_string(dict(value=bucket.bucket_name))
Java
C#
Parameters
AWS CloudFormation templates can contain parameters—custom values that are supplied at
deployment time and incorporated into the template. Since the AWS CDK synthesizes AWS
CloudFormation templates, it too offers support for deployment-time parameters.
Using the AWS CDK, you can both define parameters, which can then be used in the properties of
constructs you create, and you can also deploy stacks containing parameters.
When deploying the AWS CloudFormation template using the AWS CDK Toolkit, you provide the
parameter values on the command line. If you deploy the template through the AWS CloudFormation
console, you are prompted for the parameter values.
Version 2
133
AWS Cloud Development Kit (CDK) v2 Developer Guide
Defining parameters
In general, we recommend against using AWS CloudFormation parameters with the AWS CDK. The usual
ways to pass values into AWS CDK apps are context values (p. 164) and environment variables. Because
they are not available at synthesis time, parameter values cannot be easily used for flow control and
other purposes in your CDK app.
Note
To do control flow with parameters, you can use CfnCondition constructs, although this is
awkward compared to native if statements.
Using parameters requires you to be mindful of how the code you're writing behaves at deployment
time, as well as at synthesis time. This makes it harder to understand and reason about your AWS CDK
application, in many cases for little benefit.
It is better, again in general, to have your CDK app accept any necessary information in some well-
defined way and use it directly to declare constructs in your CDK app. An ideal AWS CDK-generated AWS
CloudFormation template is concrete, with no values remaining to be specified at deployment time.
There are, however, use cases to which AWS CloudFormation parameters are uniquely suited. If you have
separate teams defining and deploying infrastructure, for example, you can use parameters to make the
generated templates more widely useful. Additionally, the AWS CDK's support for AWS CloudFormation
parameters lets you use the AWS CDK with AWS services that use AWS CloudFormation templates (such
as AWS Service Catalog), which use parameters to configure the template being deployed.
Defining parameters
Use the CfnParameter class to define a parameter. You'll want to specify at least a type and a
description for most parameters, though both are technically optional. The description appears when
the user is prompted to enter the parameter's value in the AWS CloudFormation console. For more
information on the available types, see Types.
Note
You can define parameters in any scope, but we recommend defining parameters at the stack
level so that their logical ID does not change when you refactor your code.
TypeScript
JavaScript
Python
Java
Version 2
134
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using parameters
.type("String")
.description("The name of the Amazon S3 bucket where uploaded files will be
stored")
.build();
C#
Using parameters
A CfnParameter instance exposes its value to your AWS CDK app via a token (p. 127). Like all tokens,
the parameter's token is resolved at synthesis time, but it resolves to a reference to the parameter
defined in the AWS CloudFormation template, which will be resolved at deploy time, rather than to a
concrete value.
You can retrieve the token as an instance of the Token class, or in string, string list, or numeric encoding,
depending on the type of value required by the class or method you want to use the parameter with.
TypeScript
JavaScript
Python
Version 2
135
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using parameters
Java
C#
TypeScript
JavaScript
Python
Java
Version 2
136
AWS Cloud Development Kit (CDK) v2 Developer Guide
Deploying with parameters
.build();
C#
The AWS CDK Toolkit (cdk command-line tool) also supports specifying parameters at deployment. You
may provide these on the command line following the --parameters flag. You might deploy a stack
that uses the uploadBucketName parameter like this.
If you are deploying multiple stacks, you can specify a different value of each parameter for each stack
by prefixing the name of the parameter with the stack name and a colon.
By default, the AWS CDK retains values of parameters from previous deployments and uses them in
subsequent deployments if they are not specified explicitly. Use the --no-previous-parameters
flag to require all parameters to be specified.
Tagging
Tags are informational key-value elements that you can add to constructs in your AWS CDK app. A tag
applied to a given construct also applies to all of its taggable children. Tags are included in the AWS
CloudFormation template synthesized from your app and are applied to the AWS resources it deploys.
You can use tags to identify and categorize resources to simplify management, in cost allocation, and for
access control, as well as for any other purposes you devise.
Tip
For more information about how you can use tags with your AWS resources, see the white paper
Tagging Best Practices.
The Tags class includes the static method of(), through which you can add tags to, or remove tags
from, the specified construct.
• Tags.of(SCOPE).add() applies a new tag to the given construct and all of its children.
Version 2
137
AWS Cloud Development Kit (CDK) v2 Developer Guide
Tagging
• Tags.of(SCOPE).remove() removes a tag from the given construct and any of its children,
including tags a child construct may have applied to itself.
Note
Tagging is implemented using the section called “Aspects” (p. 170). Aspects are a way to apply
an operation (such as tagging) to all constructs in a given scope.
The following example applies the tag key with the value value to a construct.
TypeScript
Tags.of(myConstruct).add('key', 'value');
JavaScript
Tags.of(myConstruct).add('key', 'value');
Python
Tags.of(my_construct).add("key", "value")
Java
Tags.of(myConstruct).add("key", "value");
C#
Tags.Of(myConstruct).Add("key", "value");
TypeScript
Tags.of(myConstruct).remove('key');
JavaScript
Tags.of(myConstruct).remove('key');
Python
Tags.of(my_construct).remove("key")
Java
Tags.of(myConstruct).remove("key");
C#
Tags.Of(myConstruct).Remove("key");
Version 2
138
AWS Cloud Development Kit (CDK) v2 Developer Guide
Tag priorities
If you are using Stage constructs, apply the tag at the Stage level or below. Tags are not applied across
Stage boundaries.
Tag priorities
The AWS CDK applies and removes tags recursively. If there are conflicts, the tagging operation with
the highest priority wins. (Priorities are set using the optional priority property.) If the priorities of
two operations are the same, the tagging operation closest to the bottom of the construct tree wins. By
default, applying a tag has a priority of 100 (except for tags added directly to an AWS CloudFormation
resource, which has a priority of 50) and removing a tag has a priority of 200.
TypeScript
Tags.of(myConstruct).add('key', 'value', {
priority: 300
});
JavaScript
Tags.of(myConstruct).add('key', 'value', {
priority: 300
});
Python
Java
C#
Optional properties
Tags support properties that fine-tune how tags are applied to, or removed from, resources. All
properties are optional.
Available for add() only. By default, tags are applied to instances launched in an Auto Scaling group.
Set this property to false to ignore instances launched in an Auto Scaling group.
includeResourceTypes/excludeResourceTypes (Python:
include_resource_types/exclude_resource_types)
Use these to manipulate tags only on a subset of resources, based on AWS CloudFormation resource
types. By default, the operation is applied to all resources in the construct subtree, but this can be
Version 2
139
AWS Cloud Development Kit (CDK) v2 Developer Guide
Optional properties
changed by including or excluding certain resource types. Exclude takes precedence over include, if
both are specified.
priority
Use this to set the priority of this operation with respect to other Tags.add() and Tags.remove()
operations. Higher values take precedence over lower values. The default is 100 for add operations
(50 for tags applied directly to AWS CloudFormation resources) and 200 for remove operations.
The following example applies the tag tagname with the value value and priority 100 to resources of
type AWS::Xxx::Yyy in the construct, but not to instances launched in an Amazon EC2 Auto Scaling
group or to resources of type AWS::Xxx::Zzz. (These are placeholders for two arbitrary but different AWS
CloudFormation resource types.)
TypeScript
Tags.of(myConstruct).add('tagname', 'value', {
applyToLaunchedInstances: false,
includeResourceTypes: ['AWS::Xxx::Yyy'],
excludeResourceTypes: ['AWS::Xxx::Zzz'],
priority: 100,
});
JavaScript
Tags.of(myConstruct).add('tagname', 'value', {
applyToLaunchedInstances: false,
includeResourceTypes: ['AWS::Xxx::Yyy'],
excludeResourceTypes: ['AWS::Xxx::Zzz'],
priority: 100
});
Python
Tags.of(my_construct).add("tagname", "value",
apply_to_launched_instances=False,
include_resource_types=["AWS::Xxx::Yyy"],
exclude_resource_types=["AWS::Xxx::Zzz"],
priority=100)
Java
C#
Version 2
140
AWS Cloud Development Kit (CDK) v2 Developer Guide
Example
The following example removes the tag tagname with priority 200 from resources of type
AWS::Xxx::Yyy in the construct, but not from resources of type AWS::Xxx::Zzz.
TypeScript
Tags.of(myConstruct).remove('tagname', {
includeResourceTypes: ['AWS::Xxx::Yyy'],
excludeResourceTypes: ['AWS::Xxx::Zzz'],
priority: 200,
});
JavaScript
Tags.of(myConstruct).remove('tagname', {
includeResourceTypes: ['AWS::Xxx::Yyy'],
excludeResourceTypes: ['AWS::Xxx::Zzz'],
priority: 200
});
Python
Tags.of(my_construct).remove("tagname",
include_resource_types=["AWS::Xxx::Yyy"],
exclude_resource_types=["AWS::Xxx::Zzz"],
priority=200,)
Java
Tags.of((myConstruct).remove("tagname", TagProps.builder()
.includeResourceTypes(Arrays.asList("AWS::Xxx::Yyy"))
.excludeResourceTypes(Arrays.asList("AWS::Xxx::Zzz"))
.priority(100).build());
C#
Example
The following example adds the tag key StackType with value TheBest to any resource created within
the Stack named MarketingSystem. Then it removes it again from all resources except Amazon EC2
VPC subnets. The result is that only the subnets have the tag applied.
TypeScript
Version 2
141
AWS Cloud Development Kit (CDK) v2 Developer Guide
Example
JavaScript
Python
app = App();
the_best_stack = Stack(app, 'MarketingSystem')
Java
import software.amazon.awscdk.App;
import software.amazon.awscdk.Tags;
C#
using Amazon.CDK;
Version 2
142
AWS Cloud Development Kit (CDK) v2 Developer Guide
Assets
});
The following code achieves the same result. Consider which approach (inclusion or exclusion) makes
your intent clearer.
TypeScript
Tags.of(theBestStack).add('StackType', 'TheBest',
{ includeResourceTypes: ['AWS::EC2::Subnet']});
JavaScript
Tags.of(theBestStack).add('StackType', 'TheBest',
{ includeResourceTypes: ['AWS::EC2::Subnet']});
Python
Tags.of(the_best_stack).add("StackType", "TheBest",
include_resource_types=["AWS::EC2::Subnet"])
Java
C#
Assets
Assets are local files, directories, or Docker images that can be bundled into AWS CDK libraries and
apps; for example, a directory that contains the handler code for an AWS Lambda function. Assets can
represent any artifact that the app needs to operate.
You add assets through APIs that are exposed by specific AWS constructs. For example, when you
define a lambda.Function construct, the code property lets you pass an asset (directory). Function
uses assets to bundle the contents of the directory and use it for the function's code. Similarly,
ecs.ContainerImage.fromAsset uses a Docker image built from a local directory when defining an
Amazon ECS task definition.
Assets in detail
When you refer to an asset in your app, the cloud assembly (p. 89) synthesized from your application
includes metadata information with instructions for the AWS CDK CLI on where to find the asset on
the local disk, and what type of bundling to perform based on the type of asset, such as a directory to
compress (zip) or a Docker image to build.
The AWS CDK generates a source hash for assets, which can be used at construction time to determine
whether the contents of an asset have changed.
Version 2
143
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
By default, the AWS CDK creates a copy of the asset in the cloud assembly directory, which defaults to
cdk.out, under the source hash. This is so that the cloud assembly is self-contained and moved over to
a different host for deployment. See the section called “Cloud assemblies” (p. 89) for details.
The AWS CDK also synthesizes AWS CloudFormation parameters that the AWS CDK CLI specifies during
deployment. The AWS CDK uses those parameters to refer to the deploy-time values of the asset.
When the AWS CDK deploys an app that references assets (either directly by the app code or through a
library), the AWS CDK CLI first prepares and publishes them to Amazon S3 or Amazon ECR, and only then
deploys the stack. The AWS CDK specifies the locations of the published assets as AWS CloudFormation
parameters to the relevant stacks, and uses that information to enable referencing these locations within
an AWS CDK app.
Asset types
The AWS CDK supports the following types of assets:
Amazon S3 Assets
These are local files and directories that the AWS CDK uploads to Amazon S3.
Docker Image
These are Docker images that the AWS CDK uploads to Amazon ECR.
Amazon S3 assets
You can define local files and directories as assets, and the AWS CDK packages and uploads them to
Amazon S3 through the aws-s3-assets module.
The following example defines a local directory asset and a file asset.
TypeScript
JavaScript
Version 2
144
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
Python
import os.path
dirname = os.path.dirname(__file__)
Java
import java.io.File;
import software.amazon.awscdk.services.s3.assets.Asset;
C#
using System.IO;
using Amazon.CDK.AWS.S3.Assets;
In most cases, you don't need to directly use the APIs in the aws-s3-assets module. Modules that
support assets, such as aws-lambda, have convenience methods that enable you to use assets. For
Lambda functions, the fromAsset() static method enables you to specify a directory or a .zip file in the
local file system.
Version 2
145
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
The following example uses an Amazon S3 asset to define a Python handler in the local directory
handler and creates a Lambda function with the local directory asset as the code property. Below is the
Python code for the handler.
The code for the main AWS CDK app should look like the following.
TypeScript
JavaScript
module.exports = { HelloAssetStack }
Python
Version 2
146
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
import os.path
dirname = os.path.dirname(__file__)
class HelloAssetStack(Stack):
def __init__(self, scope: Construct, id: str, **kwargs):
super().__init__(scope, id, **kwargs)
lambda_.Function(self, 'myLambdaFunction',
code=lambda_.Code.from_asset(os.path.join(dirname, 'handler')),
runtime=lambda_.Runtime.PYTHON_3_6,
handler="index.lambda_handler")
Java
import java.io.File;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.lambda.Runtime;
public HelloAssetStack(final App scope, final String id, final StackProps props) {
super(scope, id, props);
Function.Builder.create(this, "myLambdaFunction")
.code(Code.fromAsset(new File(startDir, "handler").toString()))
.runtime(Runtime.PYTHON_3_6)
.handler("index.lambda_handler").build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.Lambda;
using System.IO;
The Function method uses assets to bundle the contents of the directory and use it for the function's
code.
Version 2
147
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
The following example uses deploy-time attributes to pass the location of an image asset into a Lambda
function as environment variables. (The kind of file doesn't matter; the PNG image used here is just an
example.)
TypeScript
JavaScript
Python
import os.path
dirname = os.path.dirname(__file__)
Version 2
148
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
lambda_.Function(self, "myLambdaFunction",
code=lambda_.Code.asset(os.path.join(dirname, "handler")),
runtime=lambda_.Runtime.PYTHON_3_6,
handler="index.lambda_handler",
environment=dict(
S3_BUCKET_NAME=image_asset.s3_bucket_name,
S3_OBJECT_KEY=image_asset.s3_object_key,
S3_URL=image_asset.s3_url))
Java
import java.io.File;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.lambda.Runtime;
import software.amazon.awscdk.services.s3.assets.Asset;
Function.Builder.create(this, "myLambdaFunction")
.code(Code.fromAsset(new File(startDir, "handler").toString()))
.runtime(Runtime.PYTHON_3_6)
.handler("index.lambda_handler")
.environment(java.util.Map.of( // Java 9 or later
"S3_BUCKET_NAME", imageAsset.getS3BucketName(),
"S3_OBJECT_KEY", imageAsset.getS3ObjectKey(),
"S3_URL", imageAsset.getS3Url()))
.build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.Lambda;
using Amazon.CDK.AWS.S3.Assets;
using System.IO;
using System.Collections.Generic;
Version 2
149
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
});
Permissions
If you use Amazon S3 assets directly through the aws-s3-assets module, IAM roles, users, or groups, and
need to read assets in runtime, grant those assets IAM permissions through the asset.grantRead method.
The following example grants an IAM group read permissions on a file asset.
TypeScript
JavaScript
Python
import os.path
dirname = os.path.dirname(__file__)
Java
import java.io.File;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.services.iam.Group;
import software.amazon.awscdk.services.s3.assets.Asset;
Version 2
150
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
C#
using Amazon.CDK;
using Amazon.CDK.AWS.IAM;
using Amazon.CDK.AWS.S3.Assets;
using System.IO;
The following example defines a docker image that is built locally and pushed to Amazon ECR. Images
are built from a local Docker context directory (with a Dockerfile) and uploaded to Amazon ECR by the
AWS CDK CLI or your app's CI/CD pipeline, and can be naturally referenced in your AWS CDK app.
TypeScript
JavaScript
Python
import os.path
dirname = os.path.dirname(__file__)
Version 2
151
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
Java
import software.amazon.awscdk.services.ecr.assets.DockerImageAsset;
C#
using System.IO;
using Amazon.CDK.AWS.ECR.Assets;
The my-image directory must include a Dockerfile. The AWS CDK CLI builds a Docker image from
my-image, pushes it to an Amazon ECR repository, and specifies the name of the repository as
an AWS CloudFormation parameter to your stack. Docker image asset types expose deploy-time
attributes (p. 104) that can be referenced in AWS CDK libraries and apps. The AWS CDK CLI command
cdk synth displays asset properties as AWS CloudFormation parameters.
TypeScript
taskDefinition.addContainer("my-other-container", {
image: ecs.ContainerImage.fromAsset(path.join(__dirname, "..", "demo-image"))
});
JavaScript
taskDefinition.addContainer("my-other-container", {
image: ecs.ContainerImage.fromAsset(path.join(__dirname, "..", "demo-image"))
});
Version 2
152
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
Python
import os.path
dirname = os.path.dirname(__file__)
task_definition.add_container("my-other-container",
image=ecs.ContainerImage.from_asset(
os.path.join(dirname, "..", "demo-image")))
Java
import java.io.File;
import software.amazon.awscdk.services.ecs.FargateTaskDefinition;
import software.amazon.awscdk.services.ecs.ContainerDefinitionOptions;
import software.amazon.awscdk.services.ecs.ContainerImage;
taskDefinition.addContainer("my-other-container",
ContainerDefinitionOptions.builder()
.image(ContainerImage.fromAsset(new File(startDir,
"demo-image").toString())).build());
C#
using System.IO;
using Amazon.CDK.AWS.ECS;
TypeScript
Version 2
153
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
taskDefinition.addContainer("my-other-container", {
image: ecs.ContainerImage.fromEcrRepository(asset.repository,
asset.imageUri.split(":").pop())
});
JavaScript
taskDefinition.addContainer("my-other-container", {
image: ecs.ContainerImage.fromEcrRepository(asset.repository,
asset.imageUri.split(":").pop())
});
Python
import os.path
dirname = os.path.dirname(__file__)
task_definition.add_container("my-other-container",
image=ecs.ContainerImage.from_ecr_repository(
asset.repository, asset.image_uri.rpartition(":")[-1]))
Java
import java.io.File;
import software.amazon.awscdk.services.ecr.assets.DockerImageAsset;
import software.amazon.awscdk.services.ecs.FargateTaskDefinition;
import software.amazon.awscdk.services.ecs.ContainerDefinitionOptions;
Version 2
154
AWS Cloud Development Kit (CDK) v2 Developer Guide
Asset types
import software.amazon.awscdk.services.ecs.ContainerImage;
// extract the tag from the asset's image URI for use in ECR repo lookup
String imageUri = asset.getImageUri();
String imageTag = imageUri.substring(imageUri.lastIndexOf(":") + 1);
taskDefinition.addContainer("my-other-container",
ContainerDefinitionOptions.builder().image(ContainerImage.fromEcrRepository(
asset.getRepository(), imageTag)).build());
C#
using System.IO;
using Amazon.CDK.AWS.ECS;
using Amazon.CDK.AWS.ECR.Assets;
TypeScript
JavaScript
Version 2
155
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CloudFormation resource metadata
}
});
Python
Java
C#
Permissions
If you use a module that supports Docker image assets, such as aws-ecs, the AWS CDK manages
permissions for you when you use assets directly or through ContainerImage.fromEcrRepository
(Python: from_ecr_repository). If you use Docker image assets directly, you need to ensure that the
consuming principal has permissions to pull the image.
In most cases, you should use asset.repository.grantPull method (Python: grant_pull. This modifies
the IAM policy of the principal to enable it to pull images from this repository. If the principal that
is pulling the image is not in the same account or is an AWS service, such as AWS CodeBuild, that
does not assume a role in your account, you must grant pull permissions on the resource policy
and not on the principal's policy. Use the asset.repository.addToResourcePolicy method (Python:
add_to_resource_policy) to grant the appropriate principal permissions.
To enable such use cases, external tools consult a set of metadata entries on AWS CloudFormation
resources:
Using these two metadata entries, tools can identify that assets are used by a certain resource, and
enable advanced local experiences.
Version 2
156
AWS Cloud Development Kit (CDK) v2 Developer Guide
Permissions
Permissions
The AWS Construct Library uses a few common, widely-implemented idioms to manage access and
permissions. The IAM module provides you with the tools you need to use these idioms.
Principals
An IAM principal is an entity that can be authenticated in order to access AWS resources, such as a user, a
service, or an application. The AWS Construct Library supports many types of principals, including:
Grants
Every construct that represents a resource that can be accessed, such as an Amazon S3 bucket or Amazon
DynamoDB table, has methods that grant access to another entity. All such methods have names starting
with grant. For example, Amazon S3 buckets have the methods grantRead and grantReadWrite
(Python: grant_read, grant_read_write) to enable read and read/write access, respectively, from an
entity to the bucket without having to know exactly which Amazon S3 IAM permissions are required to
perform these operations.
The first argument of a grant method is always of type IGrantable. This interface represents entities
that can be granted permissions—that is, resources with roles, such as the IAM objects Role, User, and
Group.
Other entities can also be granted permissions. For example, later in this topic, we show how to grant a
CodeBuild project access to an Amazon S3 bucket. Generally, the associated role is obtained via a role
property on the entity being granted access. Other entities that can be granted permissions are Amazon
EC2 instances and CodeBuild projects.
Resources that use execution roles, such as lambda.Function, also implement IGrantable, so you
can grant them access directly instead of granting access to their role. For example, if bucket is an
Amazon S3 bucket, and function is a Lambda function, the code below grants the function read access
to the bucket.
TypeScript
bucket.grantRead(function);
JavaScript
bucket.grantRead(function);
Version 2
157
AWS Cloud Development Kit (CDK) v2 Developer Guide
Grants
Python
bucket.grant_read(function)
Java
bucket.grantRead(function);
C#
bucket.GrantRead(function);
Sometimes permissions must be applied while your stack is being deployed. One such case is when you
grant a AWS CloudFormation custom resource access to some other resource. The custom resource will
be invoked during deployment, so it must have the specified permissions at deployment time. Another
case is when a service verifies that the role you pass to it has the right policies applied (a number of AWS
services do this to make sure you didn't forget to set the policies). In those cases, the deployment may
fail if the permissions are applied too late.
To force the grant's permissions to be applied before another resource is created, you can add a
dependency on the grant itself, as shown here. Though the return value of grant methods is commonly
discarded, every grant method in fact returns an iam.Grant object.
TypeScript
JavaScript
Python
grant = bucket.grant_read(function)
custom = CustomResource(...)
custom.node.add_dependency(grant)
Java
C#
Version 2
158
AWS Cloud Development Kit (CDK) v2 Developer Guide
Roles
Roles
The IAM package contains a Role construct that represents IAM roles. The following code creates a new
role, trusting the Amazon EC2 service.
TypeScript
JavaScript
Python
Java
import software.amazon.awscdk.services.iam.Role;
import software.amazon.awscdk.services.iam.ServicePrincipal;
C#
using Amazon.CDK.AWS.IAM;
You can add permissions to a role by calling the role's addToPolicy method (Python: add_to_policy),
passing in a PolicyStatement that defines the rule to be added. The statement is added to the role's
default policy; if it has none, one is created.
The following example adds a Deny policy statement to the role for the actions ec2:SomeAction
and s3:AnotherAction on the resources bucket and otherRole (Python: other_role), under the
condition that the authorized service is AWS CodeBuild.
TypeScript
role.addToPolicy(new iam.PolicyStatement({
effect: iam.Effect.DENY,
Version 2
159
AWS Cloud Development Kit (CDK) v2 Developer Guide
Roles
JavaScript
role.addToPolicy(new iam.PolicyStatement({
effect: iam.Effect.DENY,
resources: [bucket.bucketArn, otherRole.roleArn],
actions: ['ec2:SomeAction', 's3:AnotherAction'],
conditions: {StringEquals: {
'ec2:AuthorizedService': 'codebuild.amazonaws.com'
}}}));
Python
role.add_to_policy(iam.PolicyStatement(
effect=iam.Effect.DENY,
resources=[bucket.bucket_arn, other_role.role_arn],
actions=["ec2:SomeAction", "s3:AnotherAction"],
conditions={"StringEquals": {
"ec2:AuthorizedService": "codebuild.amazonaws.com"}}
))
Java
role.addToPolicy(PolicyStatement.Builder.create()
.effect(Effect.DENY)
.resources(Arrays.asList(bucket.getBucketArn(), otherRole.getRoleArn()))
.actions(Arrays.asList("ec2:SomeAction", "s3:AnotherAction"))
.conditions(java.util.Map.of( // Map.of requires Java 9 or later
"StringEquals", java.util.Map.of(
"ec2:AuthorizedService", "codebuild.amazonaws.com")))
.build());
C#
In our example above, we've created a new PolicyStatement inline with the addToPolicy (Python:
add_to_policy) call. You can also pass in an existing policy statement or one you've modified. The
PolicyStatement object has numerous methods for adding principals, resources, conditions, and actions.
If you're using a construct that requires a role to function correctly, you can either pass in an existing
role when instantiating the construct object, or let the construct create a new role for you, trusting the
appropriate service principal. The following example uses such a construct: a CodeBuild project.
Version 2
160
AWS Cloud Development Kit (CDK) v2 Developer Guide
Roles
TypeScript
JavaScript
Python
Java
import software.amazon.awscdk.services.iam.Role;
import software.amazon.awscdk.services.codebuild.Project;
C#
using Amazon.CDK.AWS.CodeBuild;
Version 2
161
AWS Cloud Development Kit (CDK) v2 Developer Guide
Roles
Once the object is created, the role (whether the role passed in or the default one created by the
construct) is available as the property role. This property is not available on imported resources,
however, so such constructs have an addToRolePolicy (Python: add_to_role_policy) method
that does nothing if the construct is an imported resource, and calls the addToPolicy (Python:
add_to_policy) method of the role property otherwise, saving you the trouble of handling the
undefined case explicitly. The following example demonstrates:
TypeScript
JavaScript
Python
Java
C#
Version 2
162
AWS Cloud Development Kit (CDK) v2 Developer Guide
Resource policies
Resource policies
A few resources in AWS, such as Amazon S3 buckets and IAM roles, also have a resource policy. These
constructs have an addToResourcePolicy method (Python: add_to_resource_policy), which takes
a PolicyStatement as its argument. Every policy statement added to a resource policy must specify at
least one principal.
In the following example, the Amazon S3 bucket bucket grants a role with the s3:SomeAction
permission to itself.
TypeScript
bucket.addToResourcePolicy(new iam.PolicyStatement({
effect: iam.Effect.ALLOW,
actions: ['s3:SomeAction'],
resources: [bucket.bucketArn],
principals: [role]
}));
JavaScript
bucket.addToResourcePolicy(new iam.PolicyStatement({
effect: iam.Effect.ALLOW,
actions: ['s3:SomeAction'],
resources: [bucket.bucketArn],
principals: [role]
}));
Python
bucket.add_to_resource_policy(iam.PolicyStatement(
effect=iam.Effect.ALLOW,
actions=["s3:SomeAction"],
resources=[bucket.bucket_arn],
principals=role))
Java
bucket.addToResourcePolicy(PolicyStatement.Builder.create()
.effect(Effect.ALLOW)
.actions(Arrays.asList("s3:SomeAction"))
.resources(Arrays.asList(bucket.getBucketArn()))
.principals(Arrays.asList(role))
.build());
C#
Version 2
163
AWS Cloud Development Kit (CDK) v2 Developer Guide
Context
Effect = Effect.ALLOW,
Actions = new string[] { "s3:SomeAction" },
Resources = new string[] { bucket.BucketArn },
Principals = new IPrincipal[] { role }
}));
Runtime context
Context values are key-value pairs that can be associated with an app, stack, or construct. The AWS
CDK uses context to cache information from your AWS account, such as the Availability Zones in your
account or the Amazon Machine Image (AMI) IDs used to start your instances. the section called “Feature
flags” (p. 169) are also context values. You can create your own context values for use by your apps or
constructs.
Context keys are strings, and values may be any type supported by JSON: numbers, strings, arrays, or
objects.
If your constructs create their own context values, incorporate your library's package name in its keys so
they won't conflict with other package's context values.
Since most context values are associated with a particular AWS environment, and a given CDK app can
be deployed in more than one environment, it is important to be able to set context values for each
environment. This is achieved by including the AWS account and region in the context key, so that values
from different environments do not conflict.
The context key below illustrates the format used by the AWS CDK, including the account and region.
availability-zones:account=123456789012:region=eu-central-1
Important
Context values are managed by the AWS CDK and its constructs, including constructs you may
write. In general, you should not add or change context values by manually editing files. It can
be useful to review cdk.context.json to see what values are being cached.
Construct context
Context values can be provided to your AWS CDK app in six different ways:
The project file cdk.context.json is where the AWS CDK caches context values retrieved from your
AWS account. This practice avoids unexpected changes to your deployments when, for example, a new
Amazon Linux AMI is released, changing your Auto Scaling group. The AWS CDK does not write context
data to any of the other files listed.
We recommend that cdk.context.json be placed under version control along with the rest of
your application, as the information in them is part of your app's state and is critical to being able to
Version 2
164
AWS Cloud Development Kit (CDK) v2 Developer Guide
Context methods
synthesize and deploy consistently. It is also critical to successful automated deployment of stacks that
rely on context values (for example, using CDK Pipelines (p. 255)).
Context values are scoped to the construct that created them; they are visible to child constructs, but not
to siblings. Context values set by the AWS CDK Toolkit (the cdk command), whether automatically, from
a file, or from the --context option, are implicitly set on the App construct, and so are visible to every
construct in the app.
You can get a context value using the construct.node.tryGetContext method. If the requested
entry is not found on the current construct or any of its parents, the result is undefined (or your
language's equivalent, such as None in Python).
Context methods
The AWS CDK supports several context methods that enable AWS CDK apps to get contextual
information. For example, you can get a list of Availability Zones that are available in a given AWS
account and region, using the stack.availabilityZones method.
HostedZone.fromLookup
Gets a value from the current Region's Amazon EC2 Systems Manager Parameter Store.
Vpc.fromLookup
Looks up a machine image for use with a NAT instance in an Amazon Virtual Private Cloud.
If a required context value isn't available, the AWS CDK app notifies the AWS CDK CLI that the context
information is missing. The CLI then queries the current AWS account for the information, stores the
resulting context information in the cdk.context.json file, and executes the AWS CDK app again with
the context values.
#######################################################################################################
# # # Key # Value
#
#######################################################################################################
# 1 # availability-zones:account=123456789012:region=eu-central-1 # [ "eu-central-1a", "eu-
central-1b", "eu-central-1c" ] #
#######################################################################################################
Version 2
165
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK Toolkit --context flag
Run cdk context --reset KEY_OR_NUMBER to remove a context key. If it is a cached value, it
will be refreshed on the next cdk synth.
To remove a context value, run cdk context --reset, specifying the value's corresponding key or number.
The following example removes the value that corresponds to the second key in the preceding example,
which is the list of availability zones in the Ireland region.
Context value
availability-zones:account=123456789012:region=eu-west-1
reset. It will be refreshed on the next SDK synthesis run.
Therefore, if you want to update to the latest version of the Amazon Linux AMI, you can use the
preceding example to do a controlled update of the context value and reset it, and then synthesize and
deploy your app again.
cdk synth
To clear all of the stored context values for your app, run cdk context --clear, as follows.
Only context values stored in cdk.context.json can be reset or cleared. The AWS CDK does not touch
other context values. To protect a context value from being reset using these commands, then, you
might copy the value to cdk.json.
To specify multiple context values, repeat the --context option any number of times, providing one key-
value pair each time.
When deploying multiple stacks, the specified context values are normally passed to all of them. If you
wish, you may specify different values for each stack by prefixing the stack name to the context value.
Example
Below is an example of importing an existing Amazon VPC using AWS CDK context.
Version 2
166
AWS Cloud Development Kit (CDK) v2 Developer Guide
Example
TypeScript
JavaScript
module.exports = { ExistsVpcStack }
Python
class ExistsVpcStack(cdk.Stack):
Version 2
167
AWS Cloud Development Kit (CDK) v2 Developer Guide
Example
vpcid = self.node.try_get_context("vpcid")
vpc = ec2.Vpc.from_lookup(self, "VPC", vpc_id=vpcid)
pubsubnets = vpc.select_subnets(subnetType=ec2.SubnetType.PUBLIC)
cdk.CfnOutput(self, "publicsubnets",
value=pubsubnets.subnet_ids.to_string())
Java
import software.amazon.awscdk.CfnOutput;
import software.amazon.awscdk.services.ec2.Vpc;
import software.amazon.awscdk.services.ec2.VpcLookupOptions;
import software.amazon.awscdk.services.ec2.SelectedSubnets;
import software.amazon.awscdk.services.ec2.SubnetSelection;
import software.amazon.awscdk.services.ec2.SubnetType;
import software.constructs.Construct;
CfnOutput.Builder.create(this, "publicsubnets")
.value(pubSubNets.getSubnetIds().toString()).build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.EC2;
using Constructs;
Version 2
168
AWS Cloud Development Kit (CDK) v2 Developer Guide
Feature flags
}
}
You can use cdk diff to see the effects of passing in a context value on the command line:
Stack ExistsvpcStack
Outputs
[+] Output publicsubnets publicsubnets:
{"Value":"subnet-06e0ea7dd302d3e8f,subnet-01fc0acfb58f3128f"}
cdk context -j
{
"vpc-provider:account=123456789012:filter.vpc-id=vpc-0cb9c31031d0d3e22:region=us-east-1":
{
"vpcId": "vpc-0cb9c31031d0d3e22",
"availabilityZones": [
"us-east-1a",
"us-east-1b"
],
"privateSubnetIds": [
"subnet-03ecfc033225be285",
"subnet-0cded5da53180ebfa"
],
"privateSubnetNames": [
"Private"
],
"privateSubnetRouteTableIds": [
"rtb-0e955393ced0ada04",
"rtb-05602e7b9f310e5b0"
],
"publicSubnetIds": [
"subnet-06e0ea7dd302d3e8f",
"subnet-01fc0acfb58f3128f"
],
"publicSubnetNames": [
"Public"
],
"publicSubnetRouteTableIds": [
"rtb-00d1fdfd823c82289",
"rtb-04bb1969b42969bcb"
]
}
}
Feature flags
The AWS CDK uses feature flags to enable potentially breaking behaviors in a release. Flags are stored as
the section called “Context” (p. 164) values in cdk.json (or ~/.cdk.json). They are not removed by
the cdk context --reset or cdk context --clear commands.
Feature flags are disabled by default, so existing projects that do not specify the flag will continue to
work as expected with later AWS CDK releases. New projects created using cdk init include flags enabling
Version 2
169
AWS Cloud Development Kit (CDK) v2 Developer Guide
Aspects
all features available in the release that created the project. Edit cdk.json to disable any flags for which
you prefer the old behavior, or to add flags to enable new behaviors after upgrading the AWS CDK.
Note
Currently, CDK v2 does not have any feature flags to enable new behaviors.
In CDK v2, feature flags are also used to revert certain behaviors to their v1 defaults. The flags listed
below, set to false, revert to specific v1 AWS CDK v1 behaviors. Use the cdk diff command to inspect
the changes to your synthesized template to see if any of these flags are needed.
@aws-cdk/aws-apigateway:usagePlanKeyOrderInsensitiveId
If your application uses multiple Amazon API Gateway API keys and associates them to usage plans
@aws-cdk/aws-rds:lowercaseDbIdentifier
If your application uses Amazon RDS database instance or database clusters, and explicitly specifies
the identifier for these
@aws-cdk/aws-cloudfront:defaultSecurityPolicyTLSv1.2_2021
If your application uses the TLS_V1_2_2019 security policy with Amazon CloudFront distributions.
CDK v2 uses security policy TLSv1.2_2021 by default.
@aws-cdk/core:stackRelativeExports
If your application uses multiple stacks and you refer to resources from one stack in another, this
determines whether absolute or relative path is used to construct AWS CloudFormation exports
{
"context": {
"@aws-cdk/aws-apigateway:usagePlanKeyOrderInsensitiveId": false,
"@aws-cdk/aws-cloudfront:defaultSecurityPolicyTLSv1.2_2021": false,
"@aws-cdk/aws-rds:lowercaseDbIdentifier": false,
"@aws-cdk/core:stackRelativeExports": false,
}
}
Aspects
Aspects are a way to apply an operation to all constructs in a given scope. The aspect could modify the
constructs, such as by adding tags, or it could verify something about the state of the constructs, such as
ensuring that all buckets are encrypted.
To apply an aspect to a construct and all constructs in the same scope, call
Aspects.of(SCOPE).add() with a new aspect, as shown in the following example.
TypeScript
Aspects.of(myConstruct).add(new SomeAspect(...));
JavaScript
Aspects.of(myConstruct).add(new SomeAspect(...));
Version 2
170
AWS Cloud Development Kit (CDK) v2 Developer Guide
Aspects in detail
Python
Aspects.of(my_construct).add(SomeAspect(...))
Java
Aspects.of(myConstruct).add(new SomeAspect(...));
C#
Aspects.Of(myConstruct).add(new SomeAspect(...));
The AWS CDK currently uses aspects only to tag resources (p. 137), but the framework is extensible
and can also be used for other purposes. For example, you can use it to validate or change the AWS
CloudFormation resources that are defined for you by higher-level constructs.
Aspects in detail
Aspects employ the visitor pattern. An aspect is a class that implements the following interface.
TypeScript
interface IAspect {
visit(node: IConstruct): void;}
JavaScript
JavaScript doesn't have interfaces as a language feature, so an aspect is simply an instance of a class
having a visit method that accepts the node to be operated on.
Python
Python doesn't have interfaces as a language feature, so an aspect is simply an instance of a class
having a visit method that accepts the node to be operated on.
Java
C#
When you call Aspects.of(SCOPE).add(...), the construct adds the aspect to an internal list of
aspects. You can obtain the list with Aspects.of(SCOPE).
During the prepare phase (p. 88), the AWS CDK calls the visit method of the object for the construct
and each of its children in top-down order.
The visit method is free to change anything in the construct. In strongly-typed languages, cast the
received construct to a more specific type before accessing construct-specific properties or methods.
Version 2
171
AWS Cloud Development Kit (CDK) v2 Developer Guide
Example
Aspects don't propagate across Stage construct boundaries, because Stages are self-contained and
immutable after definition. Apply aspects on the Stage construct itself (or lower) if you want them to
visit constructs inside the Stage.
Example
The following example validates that all buckets created in the stack have versioning enabled. The aspect
adds an error annotation to the constructs that fail the validation, which results in the synth operation
failing and prevents deploying the resulting cloud assembly.
TypeScript
// Check for versioning property, exclude the case where the property
// can be a token (IResolvable).
if (!node.versioningConfiguration
|| (!Tokenization.isResolvable(node.versioningConfiguration)
&& node.versioningConfiguration.status !== 'Enabled') {
Annotations.of(node).addError('Bucket versioning is not enabled');
}
}
}
}
JavaScript
class BucketVersioningChecker {
visit(node) {
// See that we're dealing with a CfnBucket
if ( node instanceof s3.CfnBucket) {
// Check for versioning property, exclude the case where the property
// can be a token (IResolvable).
if (!node.versioningConfiguration
|| !Tokenization.isResolvable(node.versioningConfiguration)
&& node.versioningConfiguration.status !== 'Enabled') {
Annotations.of(node).addError('Bucket versioning is not enabled');
}
}
}
}
Python
@jsii.implements(cdk.IAspect)
class BucketVersioningChecker:
Version 2
172
AWS Cloud Development Kit (CDK) v2 Developer Guide
Escape hatches
# Check for versioning property, exclude the case where the property
# can be a token (IResolvable).
if (not node.versioning_configuration or
not Tokenization.is_resolvable(node.versioning_configuration)
and node.versioning_configuration.status != "Enabled"):
Annotations.of(node).add_error('Bucket versioning is not enabled')
Java
C#
Escape hatches
It's possible that neither the high-level constructs nor the low-level CFN Resource constructs have a
specific feature you are looking for. There are three possible reasons for this lack of functionality:
Version 2
173
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using AWS CloudFormation constructs directly
• The AWS service feature is available through AWS CloudFormation, but there are no Construct classes
for the service.
• The AWS service feature is available through AWS CloudFormation, and there are Construct classes for
the service, but the Construct classes don't yet expose the feature.
• The feature is not yet available through AWS CloudFormation.
To determine whether a feature is available through AWS CloudFormation, see AWS Resource and
Property Types Reference.
For example, to instantiate a low-level Amazon S3 bucket CFN Resource with analytics enabled, you
would write something like the following.
TypeScript
JavaScript
Python
s3.CfnBucket(self, "MyBucket",
analytics_configurations: [
dict(id="Config",
# ...
)
]
)
Java
CfnBucket.Builder.create(this, "MyBucket")
.analyticsConfigurations(Arrays.asList(java.util.Map.of( // Java 9 or later
Version 2
174
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using AWS CloudFormation constructs directly
C#
In the rare case where you want to define a resource that doesn't have a corresponding CfnXxx class,
such as a new resource type that hasn't yet been published in the AWS CloudFormation resource
specification, you can instantiate the cdk.CfnResource directly and specify the resource type and
properties. This is shown in the following example.
TypeScript
JavaScript
Python
cdk.CfnResource(self, 'MyBucket',
type="AWS::S3::Bucket",
properties=dict(
# Note the PascalCase here! These are CloudFormation identifiers.
"AnalyticsConfigurations": [
{
"Id": "Config",
# ...
}
]
Version 2
175
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the AWS CloudFormation
resource behind AWS constructs
}
)
Java
CfnResource.Builder.create(this, "MyBucket")
.type("AWS::S3::Bucket")
.properties(java.util.Map.of( // Map.of requires Java 9 or later
// Note the PascalCase here! These are CloudFormation identifiers
"AnalyticsConfigurations", Arrays.asList(
java.util.Map.of("Id", "Config", // ...
))))
.build();
C#
For more information, see AWS Resource and Property Types Reference.
All Constructs contain within them the corresponding CFN Resource. For example, the high-level Bucket
construct wraps the low-level CfnBucket construct. Because the CfnBucket corresponds directly to the
AWS CloudFormation resource, it exposes all features that are available through AWS CloudFormation.
The basic approach to get access to the CFN Resource class is to use construct.node.defaultChild
(Python: default_child), cast it to the right type (if necessary), and modify its properties. Again, let's
take the example of a Bucket.
TypeScript
Version 2
176
AWS Cloud Development Kit (CDK) v2 Developer Guide
Modifying the AWS CloudFormation
resource behind AWS constructs
];
JavaScript
Python
Java
cfnBucket.setAnalyticsConfigurations(
Arrays.asList(java.util.Map.of( // Java 9 or later
"Id", "Config", // ...
));
C#
You can also use this object to change AWS CloudFormation options such as Metadata and
UpdatePolicy.
TypeScript
cfnBucket.cfnOptions.metadata = {
MetadataKey: 'MetadataValue'
Version 2
177
AWS Cloud Development Kit (CDK) v2 Developer Guide
Raw overrides
};
JavaScript
cfnBucket.cfnOptions.metadata = {
MetadataKey: 'MetadataValue'
};
Python
cfn_bucket.cfn_options.metadata = {
"MetadataKey": "MetadataValue"
}
Java
cfnBucket.getCfnOptions().setMetadata(java.util.Map.of( // Java 9+
"MetadataKey", "Metadatavalue"));
C#
Raw overrides
If there are properties that are missing from the CFN Resource, you can bypass all typing using raw
overrides. This also makes it possible to delete synthesized properties.
Use one of the addOverride methods (Python: add_override) methods, as shown in the following
example.
TypeScript
JavaScript
Version 2
178
AWS Cloud Development Kit (CDK) v2 Developer Guide
Raw overrides
Python
Java
C#
Version 2
179
AWS Cloud Development Kit (CDK) v2 Developer Guide
Custom resources
Custom resources
If the feature isn't available through AWS CloudFormation, but only through a direct API call, the only
solution is to write an AWS CloudFormation Custom Resource to make the API call you need. Don't worry,
the AWS CDK makes it easier to write these, and wrap them up into a regular construct interface, so from
another user's perspective the feature feels native.
Building a custom resource involves writing a Lambda function that responds to a resource's CREATE,
UPDATE and DELETE lifecycle events. If your custom resource needs to make only a single API call,
consider using the AwsCustomResource. This makes it possible to perform arbitrary SDK calls during an
AWS CloudFormation deployment. Otherwise, you should write your own Lambda function to perform
the work you need to get done.
The subject is too broad to completely cover here, but the following links should get you started:
• Custom Resources
• Custom-Resource Example
• For a more fully fledged example, see the DnsValidatedCertificate class in the CDK standard library.
This is implemented as a custom resource.
Bootstrapping
Deploying AWS CDK apps into an AWS environment (p. 97) (a combination of an AWS account and
region) may require that you provision resources the AWS CDK needs to perform the deployment. These
resources include an Amazon S3 bucket for storing files and IAM roles that grant permissions needed to
perform deployments. The process of provisioning these initial resources is called bootstrapping.
• An AWS CDK stack being deployed uses the section called “Assets” (p. 143).
• An AWS CloudFormation template generated by the app exceeds 50 kilobytes.
The required resources are defined in a AWS CloudFormation stack, called the bootstrap stack, which is
usually named CDKToolkit. Like any AWS CloudFormation stack, it appears in the AWS CloudFormation
console once it has been deployed.
Note
CDK v2 uses a bootstrap template dubbed the modern template. The legacy template from CDK
v1 is not supported in v2.
Environments are independent, so if you want to deploy to multiple environments (different AWS
accounts or different regions in the same account), each environment must be bootstrapped separately.
Important
You may incur AWS charges for data stored in the bootstrapped resources.
Version 2
180
AWS Cloud Development Kit (CDK) v2 Developer Guide
How to bootstrap
Note
Older versions of the bootstrap template created a Customer Master Key (CMK) in each
bootstrapped environment by default. To avoid charges for the CMK, re-bootstrap these
environments using --no-bootstrap-customer-key. The current default is to not use a CMK
to avoid these charges.
If you attempt to deploy an AWS CDK application that requires bootstrap resources into an environment
that does not have them, you receive an error message telling you that you need to bootstrap the
environment.
If you are using CDK Pipelines to deploy into another account's environment, and you receive a message
like the following:
This error message means that the appropriate IAM roles do not exist in the other environment, which is
most likely caused by a lack of bootstrapping.
Note
Do not delete and recreate an account's bootstrap stack if you are using CDK Pipelines to deploy
into that account. The pipeline will stop working. To update the bootstrap stack to a new
version, instead re-run cdk bootstrap to update the bootstrap stack in place.
How to bootstrap
Bootstrapping is the deployment of a AWS CloudFormation template to a specific AWS environment
(account and region). The bootstrapping template accepts parameters that customize some aspects of
the bootstrapped resources (see the section called “Customizing bootstrapping” (p. 183)). Thus, you
can bootstrap in one of two ways.
• Use the AWS CDK Toolkit's cdk bootstrap command. This is the simplest method and works well if you
have only a few environments to bootstrap.
• Deploy the template provided by the AWS CDK Toolkit using another AWS CloudFormation
deployment tool. This lets you use AWS CloudFormation Stack Sets or AWS Control Tower as well
as the AWS CloudFormation console or the AWS CLI. You can even make small modifications to
the template before deployment. This approach is more flexible and is suitable for large-scale
deployments.
It is not an error to bootstrap an environment more than once. If an environment you bootstrap has
already been bootstrapped, its bootstrap stack will be upgraded if necessary; otherwise, nothing
happens.
The following examples illustrate bootstrapping of one and two environments, respectively. (Both use
the same AWS account.) As shown in the second example, the aws:// prefix is optional when specifying
an environment.
Version 2
181
AWS Cloud Development Kit (CDK) v2 Developer Guide
Bootstrapping template
The CDK Toolkit always synthesizes the AWS CDK app in the current directory. If you do not specify at
least one environment in the cdk bootstrap command, it bootstraps all the environments referenced
in the app. If a stack is environment-agnostic (that is, it does not have an env property), the CDK's
environment (for example, the one specified using --profile, or the default AWS environment otherwise)
is applied to make the stack environment-specific, and that environment is then bootstrapped.
For example, the following command synthesizes the current AWS CDK app using the prod AWS profile,
then bootstraps its environments.
macOS/Linux
Windows
Deploy this template using your preferred deployment mechanism for AWS CloudFormation templates.
For example, the following command deploys the template using the AWS CLI:
macOS/Linux
Windows
Bootstrapping template
As previously mentioned, AWS CDK v1 supported two bootstrapping templates, legacy and modern. CDK
v2 supports only the modern template. For reference, here are the high-level differences between these
two templates.
Version 2
182
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing bootstrapping
AWS CloudFormation Deploys using current user's Deploys using the permissions
Permissions permissions (determined by AWS specified when the bootstrap
profile, environment variables, stack was provisioned (e.g. using
etc.) --trust)
IAM roles
An environment that has been bootstrapped using the legacy template can (and must) be upgraded to
use the modern template for use with CDK v2 by re-bootstrapping. Re-deploy all AWS CDK applications
in the environment at least once before deleting the legacy bucket.
Customizing bootstrapping
There are two ways to customize the bootstrapping resources.
• Use command-line parameters with the cdk bootstrap command. This lets you modify a few
aspects of the template.
• Modify the default bootstrap template and deploy it yourself. This gives you unlimited control over the
bootstrap resources.
The following command-line options, when used with CDK Toolkit's cdk bootstrap, provide commonly-
needed adjustments to the bootstrapping template.
• --bootstrap-bucket-name overrides the name of the Amazon S3 bucket. May require changes to your
CDK app (see the section called “Stack synthesizers” (p. 184)).
• --bootstrap-kms-key-id overrides the AWS KMS key used to encrypt the S3 bucket.
• --cloudformation-execution-policies specifies the ARNs of managed policies that should be attached
to the deployment role assumed by AWS CloudFormation during deployment of your stacks. At least
one policy is required; otherwise, AWS CloudFormation will attempt to deploy without permissions and
deployments will fail.
Tip
The policies must be passed as a single string argument, with the policy ARNs separated by
commas, like this:
Version 2
183
AWS Cloud Development Kit (CDK) v2 Developer Guide
Stack synthesizers
--cloudformation-execution-policies "arn:aws:iam::aws:policy/
AWSLambda_FullAccess,arn:aws:iam::aws:policy/AWSCodeDeployFullAccess".
Important
At least one policy should be specified; otherwise, AWS CloudFormation will deploy using full
administrator permissions from the AdministratorAccess policy.
• --qualifier a string that is added to the names of all resources in the bootstrap stack. A qualifier
lets you avoid name clashes when you provision two bootstrap stacks in the same environment. The
default is hnb659fds (this value has no significance). Changing the qualifier will require changes to
your AWS CDK app (see the section called “Stack synthesizers” (p. 184)).
• --tags adds one or more AWS CloudFormation tags to the bootstrap stack.
• --trust lists the AWS accounts that may deploy into the environment being bootstrapped. Use this flag
when bootstrapping an environment that a CDK Pipeline in another environment will deploy into. The
account doing the bootstrapping is always trusted.
• --trust-for-lookup lists the AWS accounts that may look up context information from the environment
being bootstrapped. Use this flag to give accounts permission to synthesize stacks that will be
deployed into the environment, without actually giving them permission to deploy those stacks
directly. Accounts specified under --trust are always trusted for context lookup.
• --termination-protection prevents the bootstrap stack from being deleted (see Protecting a stack
from being deleted in the AWS CloudFormation User Guide)
Important
The modern bootstrap template effectively grants the permissions implied by the --
cloudformation-execution-policies to any AWS account in the --trust list, which by
default will extend permissions to read and write to any resource in the bootstrapped account.
Make sure to configure the bootstrapping stack (p. 183) with policies and trusted accounts you
are comfortable with.
export CDK_NEW_BOOTSTRAP=1
cdk bootstrap --show-template
Any modifications you make must adhere to the bootstrapping template contract (p. 190).
Deploy your modified template as described in the section called “Bootstrapping from the AWS
CloudFormation template” (p. 182), or using cdk bootstrap --template.
Stack synthesizers
Your AWS CDK app needs to know about the bootstrapping resources available to it in order to
successfully synthesize a stack that can be deployed. The stack synthesizer is an AWS CDK class that
controls how the stack's template is synthesized, including how it uses bootstrapping resources (for
example, how it refers to assets stored in the bootstrap bucket).
The AWS CDK's built-in stack synthesizers is called DefaultStackSynthesizer. It includes capabilities
for cross-account deployments and CDK Pipelines (p. 255) deployments.
Version 2
184
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing synthesis
You can pass a stack synthesizer to a stack when you instantiate it using the synthesizer property.
TypeScript
JavaScript
Python
MyStack(self, "MyStack",
# stack properties
synthesizer=DefaultStackSynthesizer(
# synthesizer properties
))
Java
C#
Customizing synthesis
Depending on the changes you made to the bootstrap template, you may also need to customize
synthesis. The DefaultStackSynthesizer can be customized using the properties described below.
If none of these properties provide the customizations you require, you can write your synthesizer as a
class that implements IStackSynthesizer (perhaps deriving from DefaultStackSynthesizer).
Version 2
185
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing synthesis
TypeScript
JavaScript
Python
MyStack(self, "MyStack",
synthesizer=DefaultStackSynthesizer(
qualifier="MYQUALIFIER"
))
Java
C#
Version 2
186
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing synthesis
"app": "...",
"context": {
"@aws-cdk/core:bootstrapQualifier": "MYQUALIFIER"
}
}
The following example shows all the available properties for DefaultStackSynthesizer along with
their default values, as if you were instantiating the synthesizer.
TypeScript
new DefaultStackSynthesizer({
// Name of the S3 bucket for file assets
fileAssetsBucketName: 'cdk-${Qualifier}-assets-${AWS::AccountId}-${AWS::Region}',
bucketPrefix: '',
// ARN of the role assumed by the CLI and Pipeline to deploy here
deployRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-${Qualifier}-
deploy-role-${AWS::AccountId}-${AWS::Region}',
deployRoleExternalId: '',
// ARN of the role used for file asset publishing (assumed from the deploy role)
fileAssetPublishingRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-file-publishing-role-${AWS::AccountId}-${AWS::Region}',
fileAssetPublishingExternalId: '',
// ARN of the role used for Docker asset publishing (assumed from the deploy role)
imageAssetPublishingRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-image-publishing-role-${AWS::AccountId}-${AWS::Region}',
imageAssetPublishingExternalId: '',
// Name of the SSM parameter which describes the bootstrap stack version number
bootstrapStackVersionSsmParameter: '/cdk-bootstrap/${Qualifier}/version',
// Add a rule to every template which verifies the required bootstrap stack version
generateBootstrapVersionRule: true,
})
JavaScript
new DefaultStackSynthesizer({
// Name of the S3 bucket for file assets
fileAssetsBucketName: 'cdk-${Qualifier}-assets-${AWS::AccountId}-${AWS::Region}',
Version 2
187
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing synthesis
bucketPrefix: '',
// ARN of the role assumed by the CLI and Pipeline to deploy here
deployRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-${Qualifier}-
deploy-role-${AWS::AccountId}-${AWS::Region}',
deployRoleExternalId: '',
// ARN of the role used for file asset publishing (assumed from the deploy role)
fileAssetPublishingRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-file-publishing-role-${AWS::AccountId}-${AWS::Region}',
fileAssetPublishingExternalId: '',
// ARN of the role used for Docker asset publishing (assumed from the deploy role)
imageAssetPublishingRoleArn: 'arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-image-publishing-role-${AWS::AccountId}-${AWS::Region}',
imageAssetPublishingExternalId: '',
// Name of the SSM parameter which describes the bootstrap stack version number
bootstrapStackVersionSsmParameter: '/cdk-bootstrap/${Qualifier}/version',
// Add a rule to every template which verifies the required bootstrap stack version
generateBootstrapVersionRule: true,
})
Python
DefaultStackSynthesizer(
# Name of the S3 bucket for file assets
file_assets_bucket_name="cdk-${Qualifier}-assets-${AWS::AccountId}-${AWS::Region}",
bucket_prefix="",
# ARN of the role assumed by the CLI and Pipeline to deploy here
deploy_role_arn="arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-${Qualifier}-
deploy-role-${AWS::AccountId}-${AWS::Region}",
deploy_role_external_id="",
# ARN of the role used for file asset publishing (assumed from the deploy role)
file_asset_publishing_role_arn="arn:${AWS::Partition}:iam::${AWS::AccountId}:role/
cdk-${Qualifier}-file-publishing-role-${AWS::AccountId}-${AWS::Region}",
file_asset_publishing_external_id="",
# ARN of the role used for Docker asset publishing (assumed from the deploy role)
image_asset_publishing_role_arn="arn:${AWS::Partition}:iam::${AWS::AccountId}:role/
cdk-${Qualifier}-image-publishing-role-${AWS::AccountId}-${AWS::Region}",
image_asset_publishing_external_id="",
# Name of the SSM parameter which describes the bootstrap stack version number
bootstrap_stack_version_ssm_parameter="/cdk-bootstrap/${Qualifier}/version",
Version 2
188
AWS Cloud Development Kit (CDK) v2 Developer Guide
Customizing synthesis
# Add a rule to every template which verifies the required bootstrap stack version
generate_bootstrap_version_rule=True,
)
Java
DefaultStackSynthesizer.Builder.create()
// Name of the S3 bucket for file assets
.fileAssetsBucketName("cdk-${Qualifier}-assets-${AWS::AccountId}-${AWS::Region}")
.bucketPrefix('')
// ARN of the role assumed by the CLI and Pipeline to deploy here
.deployRoleArn("arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-${Qualifier}-
deploy-role-${AWS::AccountId}-${AWS::Region}")
.deployRoleExternalId("")
// ARN of the role used for file asset publishing (assumed from the deploy role)
.fileAssetPublishingRoleArn("arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-file-publishing-role-${AWS::AccountId}-${AWS::Region}")
.fileAssetPublishingExternalId("")
// ARN of the role used for Docker asset publishing (assumed from the deploy role)
.imageAssetPublishingRoleArn("arn:${AWS::Partition}:iam::${AWS::AccountId}:role/
cdk-${Qualifier}-image-publishing-role-${AWS::AccountId}-${AWS::Region}")
.imageAssetPublishingExternalId("")
// Name of the SSM parameter which describes the bootstrap stack version number
.bootstrapStackVersionSsmParameter("/cdk-bootstrap/${Qualifier}/version")
// Add a rule to every template which verifies the required bootstrap stack version
.generateBootstrapVersionRule(true)
.build()
C#
// ARN of the role assumed by the CLI and Pipeline to deploy here
DeployRoleArn = "arn:${AWS::Partition}:iam::${AWS::AccountId}:role/cdk-
${Qualifier}-deploy-role-${AWS::AccountId}-${AWS::Region}",
DeployRoleExternalId = "",
// ARN of the role used for file asset publishing (assumed from the deploy role)
FileAssetPublishingRoleArn = "arn:${AWS::Partition}:iam::${AWS::AccountId}:role/
cdk-${Qualifier}-file-publishing-role-${AWS::AccountId}-${AWS::Region}",
FileAssetPublishingExternalId = "",
// ARN of the role used for Docker asset publishing (assumed from the deploy role)
Version 2
189
AWS Cloud Development Kit (CDK) v2 Developer Guide
The bootstrapping template contract
ImageAssetPublishingRoleArn = "arn:${AWS::Partition}:iam::${AWS::AccountId}:role/
cdk-${Qualifier}-image-publishing-role-${AWS::AccountId}-${AWS::Region}",
ImageAssetPublishingExternalId = "",
// Name of the SSM parameter which describes the bootstrap stack version number
BootstrapStackVersionSsmParameter = "/cdk-bootstrap/${Qualifier}/version",
// Add a rule to every template which verifies the required bootstrap stack version
GenerateBootstrapVersionRule = true,
})
Versioning
The template should contain a resource to create an SSM parameter with a well-known name and an
output to reflect the template's version.
Resources:
CdkBootstrapVersion:
Type: AWS::SSM::Parameter
Properties:
Type: String
Name:
Fn::Sub: '/cdk-bootstrap/${Qualifier}/version'
Value: 4
Outputs:
BootstrapVersion:
Value:
Fn::GetAtt: [CdkBootstrapVersion, Value]
Roles
The DefaultStackSynthesizer requires five IAM roles for five different purposes. If you are not using
the default roles, the synthesizer needs to be told the ARNs for the roles you want to use. The roles are:
• The deployment role is assumed by the AWS CDK Toolkit and by AWS CodePipeline to deploy into an
environment. Its AssumeRolePolicy controls who can deploy into the environment. The permissions
this role needs can be seen in the template.
• The lookup role is assumed by the AWS CDK Toolkit to perform context lookups in an environment. Its
AssumeRolePolicy controls who can deploy into the environment. The permissions this role needs
can be seen in the template.
• The file publishing role and the image publishing role are assumed by the AWS CDK Toolkit and by AWS
CodeBuild projects to publish assets into an environment: that is, to write to the S3 bucket and the
ECR repository, respectively. These roles require write access to these resources.
• The AWS CloudFormation execution role is passed to AWS CloudFormation to perform the actual
deployment. Its permissions are the permissions that the deployment will execute under. The
permissions are passed to the stack as a parameter that lists managed policy ARNs.
Version 2
190
AWS Cloud Development Kit (CDK) v2 Developer Guide
The bootstrapping template contract
Outputs
The AWS CDK Toolkit requires that the following CloudFormation outputs exist on the bootstrap stack.
Template history
The bootstrap template is versioned and evolves over time with the AWS CDK itself. If you provide your
own bootstrap template, keep it up-to-date with the canonical default template to ensure that yours
continues to work with all CDK features. This section contains a list of the changes made in each version.
Version 2
191
AWS Cloud Development Kit (CDK) v2 Developer Guide
The bootstrapping template contract
Version 2
192
AWS Cloud Development Kit (CDK) v2 Developer Guide
The AWS CDK reflects careful consideration of the needs of our customers and internal teams and
of the failure patterns that often arise during the deployment and ongoing maintenance of complex
cloud applications. We discovered that failures are often related to "out-of-band" changes to an
application, such as configuration changes, that were not fully tested. Therefore, we developed
the AWS CDK around a model in which your entire application, not just business logic but also
infrastructure and configuration, is defined in code. That way, proposed changes can be carefully
reviewed, comprehensively tested in environments resembling production to varying degrees, and fully
rolled back if something goes wrong.
Version 2
193
AWS Cloud Development Kit (CDK) v2 Developer Guide
At deployment time, the AWS CDK synthesizes a cloud assembly that contains not only AWS
CloudFormation templates describing your infrastructure in all target environments, but file assets
containing your runtime code and their supporting files. With the CDK, every commit in your
application's main version control branch can represent a complete, consistent, deployable version of
your application. Your application can then be deployed automatically whenever a change is made.
The philosophy behind the AWS CDK leads to our recommended best practices, which we have divided
into four broad categories.
Tip
In addition to the guidance in this document, you should also consider best practices for AWS
CloudFormation as well as for the individual AWS services you use, where they are obviously
applicable to CDK-defined infrastructure.
Version 2
194
AWS Cloud Development Kit (CDK) v2 Developer Guide
Organization best practices
The CCoE may provide guidance on what programming languages should be used for cloud
infrastructure. The details will vary from one organization to the next, but a good policy helps make sure
developers can easily understand and maintain all cloud infrastructure throughout the company.
The CCoE also creates a "landing zone" that defines your organizational units within AWS. A landing zone
is a pre-configured, secure, scalable, multi-account AWS environment based on best practice blueprints.
You can tie together the services that make up your landing zone with AWS Control Tower, a high-level
service configures and manages your entire multi-account system from a single user interface.
Development teams should be able use their own accounts for testing and have the ability to deploy new
resources in these accounts as needed. Individual developers can treat these resources as extensions of
their own development workstation. Using CDK Pipelines (p. 255), the AWS CDK applications can then
be deployed via a CI/CD account to testing, integration, and production environments (each isolated in
its own AWS region and/or account) by merging the developers' code into your organization's canonical
repository.
Version 2
195
AWS Cloud Development Kit (CDK) v2 Developer Guide
Start simple and add complexity only when you need it
An AWS CDK application maps to a component as defined by the AWS Well-Architected Framework. AWS
CDK apps are a mechanism to codify and deliver Well-Architected cloud application best practices. You
can also create and share components as reusable code libraries through artifact repositories, such as
AWS CodeArtifact.
Use additional packages for constructs that you use in more than one application. (Shared constructs
should also have their own lifecycle and testing strategy.) Dependencies between packages in the same
repository are managed by your repo's build tooling.
Though it is possible, it is not recommended to put multiple applications in the same repository,
especially when using automated deployment pipelines, because this increases the "blast radius" of
changes during deployment. With multiple applications in a repository, not only do changes to one
application trigger deployment of the others (even if they have not changed), but a break in one
application prevents the other applications from being deployed.
Version 2
196
AWS Cloud Development Kit (CDK) v2 Developer Guide
Move code into repositories based
on code lifecycle or team ownership
Also move packages to their own repo when different teams are working on them, to help enforce access
control.
To consume packages across repository boundaries, you now need a private package repository—similar
to NPM, PyPi, or Maven Central, but internal to your organization, and a release process that builds, tests,
and publishes the package to the private package repository. CodeArtifact can host packages for most
popular programming languages.
Dependencies on packages in the package repository are managed by your language's package manager,
for example NPM for TypeScript or JavaScript applications. Your package manager helps to make sure
builds are repeatable by recording the specific versions of every package your application depends on
and allows you to upgrade those dependencies in a controlled manner.
Shared packages need a different testing strategy: although for a single application it might be good
enough to deploy the application to a testing environment and confirm that it still works, shared
packages need to be tested independently of the consuming application, as if they were being released
to the public. (Your organization might in fact choose to actually release some shared packages to the
public.)
Keep in mind that a construct can be arbitrarily simple or complex. A Bucket is a construct, but
CameraShopWebsite could be a construct, too.
A construct that is self-contained, in other words that completely describes a piece of functionality
including its infrastructure and logic, makes it easy to evolve the two kinds of code together, test them in
isolation, share and reuse the code across projects, and version all the code in sync.
Version 2
197
AWS Cloud Development Kit (CDK) v2 Developer Guide
Configure with properties and
methods, not environment variables
Construct, not as a Stack. Use stacks only to describe how your constructs should be composed and
connected for your various deployment scenarios.
If one of your logical units is a Web site, for example, the constructs that make it up (Amazon S3 bucket,
API Gateway, Lambda functions, Amazon RDS tables, etc.) should be composed into a single high-level
construct, and then that construct should be instantiated in one or more stacks for deployment.
By using constructs for building and stacks for deploying, you improve reuse potential of your
infrastructure and give yourself more flexibility in how it is deployed.
In general, environment variable lookups should be limited to the top level of an AWS CDK app, and
should be used to pass in information needed for running in a development environment; see the section
called “Environments” (p. 97).
Instead, use AWS features such as service control policies and permission boundaries to enforce your
security guardrails at the organization level. Use the section called “Aspects” (p. 170) or tools like
CloudFormation Guard to make assertions about the security properties of infrastructure elements
before deployment. Use AWS CDK for what it does best.
Finally, keep in mind that writing your own "L2+" constructs like these may prevent your developers from
taking advantage of the growing ecosystems of AWS CDK packages, such as AWS Solutions Constructs,
Version 2
198
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application best practices
as these are typically built upon standard AWS CDK constructs and won't be able to use your custom
versions.
Instead, try to make all decisions, such as which construct to instantiate, in your AWS CDK application,
using your programming language's if statements and other features. For example, a common CDK
idiom, iterating over a list and instantiating a construct with values from each item in the list, simply isn't
possible using AWS CloudFormation expressions.
Treat AWS CloudFormation as an implementation detail that the AWS CDK uses for robust cloud
deployments, not as a language target. You're not writing AWS CloudFormation templates in TypeScript
or Python, you're writing CDK code that happens to use CloudFormation for deployment.
What's worse, you can't make changes to the resource that require it to be replaced. If a property can
only be set at resource creation, for example the KeySchema of an Amazon DynamoDB table, that
property is immutable, and changing it requires a new resource. But the new resource must have the
same name in order to be a true replacement, and it can't while the existing resource is still using that
name.
A better approach is to specify as few names as possible. If you leave out resource names, the AWS
CDK will generate them for you, and it'll do so in a way that won't cause these problems. You then,
for example, pass the generated table name (which you can reference as table.tableName in your
AWS CDK application) as an environment variable into your AWS Lambda function, or you generate a
configuration file on your Amazon EC2 instance on startup, or you write the actual table name to AWS
Systems Manager Parameter Store and your application reads it from there.
If the place you need it is another AWS CDK stack, that's even easier. Given one stack that defines the
resource and another than needs to use it:
• If the two stacks are in the same AWS CDK app, just pass a reference between the two stacks.
For example, save a reference to the resource's construct as an attribute of the defining stack
(this.stack.uploadBucket = myBucket), then pass that attribute to the constructor of the stack
that needs the resource.
• When the two stacks are in different AWS CDK apps, use a static from method to import an externally-
defined resource based on its ARN, name, or other attributes (for example, Table.fromArn() for
a DynamoDB table). Use the CfnOutput construct to print the ARN or other required value in the
Version 2
199
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define removal policies and log retention
output of cdk deploy, or look in the AWS console. Or the second app can parse the CloudFormation
template generated by the first app and retrieve that value from the Outputs section.
Consider carefully what you want these policies to actually be for each production resource and specify
them accordingly. Use the section called “Aspects” (p. 170) to validate the removal and logging policies
in your stack.
• It's typically easier to keep as many resources in the same stack as possible, so keep them together
unless you know you want them separated.
• Consider keeping stateful resources (like databases) in a separate stack from stateless resources. You
can then turn on termination protection on the stateful stack, and can freely destroy or create multiple
copies of the stateless stack without risk of data loss.
• Stateful resources are more sensitive to construct renaming—renaming leads to resource replacement
—so it makes sense not to nest them inside constructs that are likely to be moved around or renamed
(unless the state can be rebuilt if lost, like a cache). This is another good reason to put stateful
resources in their own stack.
Since your AWS CDK app is written in a general-purpose programming language, it can execute arbitrary
code, use arbitrary libraries, and make arbitrary network calls. For example, you could use an AWS SDK to
retrieve some information from your AWS account while synthesizing your app. Recognize that doing so
will result in additional credential setup requirements, increased latency, and a chance, however small, of
failure every time you run cdk synth.
You should never modify your AWS account or resources during synthesis; synthesizing an app should
not have side effects. Changes to your infrastructure should happen only in the deployment phase,
after the AWS CloudFormation template has been generated. This way, if there's a problem, AWS
CloudFormation will automatically roll back the change. To make changes that can't be easily made
within the AWS CDK framework, use custom resources to execute arbitrary code at deployment time.
Even strictly read-only calls are not necessarily safe. Consider what happens if the value returned by a
network call changes. What part of your infrastructure will that impact? What will happen to already-
Version 2
200
AWS Cloud Development Kit (CDK) v2 Developer Guide
Let the AWS CDK manage roles and security groups
deployed resources? Here are just two of the situations in which a sudden change in values might cause a
problem.
• If you provision an Amazon VPC to all available Availability Zones in a specified region, and the
number of AZs is two on deployment day, your IP space gets split in half. If AWS launches a new
Availability Zone the next day, the next deployment after that tries to split your IP space into thirds,
requiring all subnets to be recreated. This probably won't be possible because your Amazon EC2
instances are still running, and you'll have to clean this up manually.
• If you query for the latest Amazon Linux machine image and deploy an Amazon EC2 instance, and the
next day a new image is released, a subsequent deployment picks up the new AMI and replaces all your
instances. This may not be what you expected to happen.
These situations can be particularly pernicious because the AWS-side change may occur after months or
years of successful deployments. Suddenly your deployments are failing "for no reason" and you long
ago forgot what you did and why.
Fortunately, the AWS CDK includes a mechanism called context providers to record a snapshot of non-
deterministic values, allowing future synthesis operations produce exactly the same template. The
only changes in the new template are the changes you made in your code. When you use a construct's
.fromLookup() method, the result of the call is cached in cdk.context.json, which you should
commit to version control along with the rest of your code to ensure future executions of your CDK
app use the same value. The CDK Toolkit includes commands to manage the context cache, so you can
refresh specific entries when you need to. For more information, see the section called “Context” (p. 164).
If you need some value (from AWS or elsewhere) for which there is no native CDK context provider, we
recommend writing a separate script to retrieve the value and write it to a file, then read that file in your
CDK app. Run the script only when you want to refresh the stored value, not as part of your regular build
process.
myBucket.grantRead(myLambda)
This single line results in a policy being added to the Lambda function's role (which is also created for
you). That role and its policies are more than a dozen lines of CloudFormation that you don't have to
write, and the AWS CDK grants only the minimal permissions required for the function to read from the
bucket.
If you require developers to always use predefined roles that were created by a security team, AWS CDK
coding becomes much more complicated, and your teams lose a lot of flexibility in how they design their
applications. A better alternative is to use service control policies and permission boundaries to ensure
that developers stay within the guardrails.
Version 2
201
AWS Cloud Development Kit (CDK) v2 Developer Guide
Measure everything
When you synthesize your application, the cloud assembly created in the cdk.out folder contains a
separate template for each environment. Your entire build is deterministic: there are no out-of-band
changes to your application, and any given commit always yields the exact same AWS CloudFormation
template and accompanying assets, which makes unit testing much more reliable.
Measure everything
Achieving the goal of full continuous deployment, with no human intervention, requires a high level
of automation, and that automation isn't possible without extensive amounts of monitoring. Create
metrics, alarms, and dashboards to measure all aspects of your deployed resources. And don't just
measure simple things like CPU usage and disk space: also record your business metrics, and use those
measurements to automate deployment decisions like rollbacks. Most of the L2 constructs in AWS CDK
have convenience methods to help you create metrics, such as the metricUserErrors() method on
the dynamodb.Table class.
Version 2
202
AWS Cloud Development Kit (CDK) v2 Developer Guide
Versioning
API reference
The API Reference contains information about the AWS Construct Library and other APIs provided by
the AWS CDK. Most of the AWS Construct Library is actually contained in a single package called aws-
cdk-lib in NPM (it has other names for other ecosystems). The CDK API Reference is organized into
submodules, one or more for each AWS service.
Each submodule has an overview that includes information about how to use its APIs. For example, the
S3 overview demonstrates how to set default encryption on an Amazon S3 bucket.
Separate versions of the API Reference are provided for TypeScript/JavaScript, Python, Java, and
C#/.NET.
Versioning
Version numbers consist of three numeric version parts: major.minor.patch, and strictly adhere to
the semantic versioning model. This means that breaking changes to stable APIs are limited to major
releases. Minor and patch releases are backward compatible, meaning that the code written in a previous
version with the same major version can be upgraded to a newer version within the same major version,
and will continue to build and run, producing the same output.
The AWS CDK Toolkit may be, but is not always, compatible with construct libraries of a semantically
higher version, depending on whether the same cloud assembly schema version is employed by the
two components. The AWS CDK framework generates a cloud assembly during synthesis; the AWS
CDK Toolkit consumes it for deployment. The schema that defines the format of the cloud assembly is
strictly specified and versioned. AWS construct libraries using a given cloud assembly schema version are
compatible with AWS CDK toolkit versions using that schema version or later, which may include releases
of the AWS CDK Toolkit older than a given construct library release.
When the cloud assembly version required by the construct library is not compatible with the version
supported by the AWS CDK Toolkit, you receive an error message like this one.
Cloud assembly schema version mismatch: Maximum schema version supported is 3.0.0, but
found 4.0.0.
Please upgrade your CLI in order to interact with this app.
To resolve this error, update the AWS CDK Toolkit to a version compatible with the required cloud
assembly version, or simply to the latest available version. The alternative (downgrading the construct
library modules your app uses) is generally not desirable.
Note
For more details on the cloud assembly schema, see Cloud Assembly Versioning.
Version 2
203
AWS Cloud Development Kit (CDK) v2 Developer Guide
Language binding stability
APIs in the main AWS CDK library, aws-cdk-lib, are stable, and the library is fully semantically-
versioned. This package includes AWS CloudFormation (L1) constructs for all AWS services as well as all
stable higher-level (L2/3) modules. (It also includes the core CDK classes like App and Construct.) No
APIs will be removed from this package (though they may be deprecated) until the next major release of
the CDK. No individual API will ever have breaking changes; if a breaking change is required, an entirely
new API will be added.
New APIs under development for a service already incorporated in aws-cdk-lib are identified using a
BetaN suffix, where N starts at 1 and is incremented with each breaking change to the new API. BetaN
APIs are never removed, only deprecated, so your existing app continues to work with newer versions of
aws-cdk-lib. When the API is deemed stable, a new API without the BetaN suffix is added.
When higher-level (L2 or L3) APIs begin to be developed for an AWS service which previously had only
L1 APIs, those APIs are initially distributed in a separate package. The name of such a package has an
"Alpha" suffix, and its version matches the first version of aws-cdk-lib it is compatible with, with an
alpha sub-version. When the module supports the intended use cases, its APIs are added to aws-cdk-
lib.
Language Stability
TypeScript Stable
JavaScript Stable
Python Stable
Java Stable
C#/.NET Stable
Go Experimental
Version 2
204
AWS Cloud Development Kit (CDK) v2 Developer Guide
Serverless
Examples
This topic contains the following examples:
• Creating a serverless application using the AWS CDK (p. 205) Creates a serverless application using
Lambda, API Gateway, and Amazon S3.
• Creating an AWS Fargate service using the AWS CDK (p. 218) Creates an Amazon ECS Fargate service
from an image on DockerHub.
TypeScript
mkdir MyWidgetService
cd MyWidgetService
Version 2
205
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create an AWS CDK app
JavaScript
mkdir MyWidgetService
cd MyWidgetService
cdk init --language javascript
Python
mkdir MyWidgetService
cd MyWidgetService
cdk init --language python
source .venv/bin/activate
pip install -r requirements.txt
Java
mkdir MyWidgetService
cd MyWidgetService
cdk init --language java
You may now import the Maven project into your IDE.
C#
mkdir MyWidgetService
cd MyWidgetService
cdk init --language csharp
Note
The CDK names source files and classes based on the name of the project directory. If you don't
use the name MyWidgetService as shown above, you'll have trouble following the rest of
the steps because some of the files the instructions tell you to modify aren't there (they'll have
different names).
The important files in the blank project are as follows. (We will also be adding a couple of new files.)
TypeScript
JavaScript
Python
Version 2
206
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create a Lambda function to list all widgets
Java
C#
cdk synth
You should see output beginning with YAML code like the following.
Resources:
CDKMetadata:
Type: AWS::CDK::Metadata
Properties:
Modules: "..."
mkdir resources
/*
This code uses callbacks to handle asynchronous function responses.
It currently demonstrates using an async-await pattern.
AWS supports both the async-await and promises patterns.
For more information, see the following:
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/async_function
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Using_promises
https://docs.aws.amazon.com/sdk-for-javascript/v2/developer-guide/calling-services-
asynchronously.html
https://docs.aws.amazon.com/lambda/latest/dg/nodejs-prog-model-handler.html
*/
const AWS = require('aws-sdk');
const S3 = new AWS.S3();
Version 2
207
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a widget service
Save it and be sure the project still results in an empty stack. We haven't yet wired the Lambda function
to the AWS CDK app, so the Lambda asset doesn't appear in the output.
cdk synth
TypeScript
File: lib/widget_service.ts
Version 2
208
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a widget service
JavaScript
File: lib/widget_service.js
module.exports = { WidgetService }
Python
File: my_widget_service/widget_service.py
Version 2
209
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a widget service
class WidgetService(Construct):
def __init__(self, scope: Construct, id: str):
super().__init__(scope, id)
bucket.grant_read_write(handler)
get_widgets_integration = apigateway.LambdaIntegration(handler,
request_templates={"application/json": '{ "statusCode": "200" }'})
Java
File: src/src/main/java/com/myorg/WidgetService.java
package com.myorg;
import java.util.HashMap;
import software.constructs.Construct;
import software.amazon.awscdk.services.apigateway.LambdaIntegration;
import software.amazon.awscdk.services.apigateway.Resource;
import software.amazon.awscdk.services.apigateway.RestApi;
import software.amazon.awscdk.services.lambda.Code;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.lambda.Runtime;
import software.amazon.awscdk.services.s3.Bucket;
@SuppressWarnings("serial")
public WidgetService(Construct scope, String id) {
super(scope, id);
bucket.grantReadWrite(handler);
Version 2
210
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a widget service
LambdaIntegration getWidgetsIntegration =
LambdaIntegration.Builder.create(handler)
.requestTemplates(java.util.Map.of( // Map.of is Java 9 or later
"application/json", "{ \"statusCode\": \"200\" }"))
.build();
api.getRoot().addMethod("GET", getWidgetsIntegration);
}
}
C#
File: src/MyWidgetService/WidgetService.cs
using Amazon.CDK;
using Amazon.CDK.AWS.APIGateway;
using Amazon.CDK.AWS.Lambda;
using Amazon.CDK.AWS.S3;
using System.Collections.Generic;
using constructs;
namespace MyWidgetService
{
bucket.GrantReadWrite(handler);
api.Root.AddMethod("GET", getWidgetsIntegration);
Version 2
211
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add the service to the app
}
}
}
Tip
We're using a lambda.Function in to deploy this function because it supports a wide variety
of programming languages. For JavaScript and TypeScript specifically, you might consider
a lambda-nodejs.NodejsFunction. The latter uses esbuild to bundle up the script and
converts code written in TypeScript automatically.
Save the app and make sure it still synthesizes an empty stack.
cdk synth
TypeScript
File: lib/my_widget_service-stack.ts
Add the following line of code after the existing import statement.
Replace the comment in the constructor with the following line of code.
JavaScript
File: lib/my_widget_service-stack.js
Add the following line of code after the existing require() line.
Replace the comment in the constructor with the following line of code.
Python
File: my_widget_service/my_widget_service_stack.py
Add the following line of code after the existing import statement.
Replace the comment in the constructor with the following line of code.
Version 2
212
AWS Cloud Development Kit (CDK) v2 Developer Guide
Deploy and test the app
widget_service.WidgetService(self, "Widgets")
Java
File: src/src/main/java/com/myorg/MyWidgetServiceStack.java
Replace the comment in the constructor with the following line of code.
C#
File: src/MyWidgetService/MyWidgetServiceStack.cs
Replace the comment in the constructor with the following line of code.
Be sure the app runs and synthesizes a stack (we won't show the stack here: it's over 250 lines).
cdk synth
cdk deploy
If the deployment succeeds, save the URL for your server. This URL appears in one of the last lines in the
window, where GUID is an alphanumeric GUID and REGION is your AWS Region.
https://GUID.execute-api-REGION.amazonaws.com/prod/
Test your app by getting the list of widgets (currently empty) by navigating to this URL in a browser, or
use the following command.
Version 2
213
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add the individual widget functions
Because we haven't stored any widgets yet, the output should be similar to the following.
{ "widgets": [] }
/*
This code uses callbacks to handle asynchronous function responses.
It currently demonstrates using an async-await pattern.
AWS supports both the async-await and promises patterns.
For more information, see the following:
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/async_function
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Using_promises
https://docs.aws.amazon.com/sdk-for-javascript/v2/developer-guide/calling-services-
asynchronously.html
https://docs.aws.amazon.com/lambda/latest/dg/nodejs-prog-model-handler.html
*/
exports.main = async function(event, context) {
try {
var method = event.httpMethod;
// Get name, if present
var widgetName = event.path.startsWith('/') ? event.path.substring(1) : event.path;
if (widgetName) {
// GET /name to get info on widget name
const data = await S3.getObject({ Bucket: bucketName, Key: widgetName}).promise();
var body = data.Body.toString('utf-8');
return {
statusCode: 200,
headers: {},
body: JSON.stringify(body)
};
}
}
Version 2
214
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add the individual widget functions
await S3.putObject({
Bucket: bucketName,
Key: widgetName,
Body: base64data,
ContentType: 'application/json'
}).promise();
return {
statusCode: 200,
headers: {},
body: JSON.stringify(event.widgets)
};
}
await S3.deleteObject({
Bucket: bucketName, Key: widgetName
}).promise();
return {
statusCode: 200,
headers: {},
body: "Successfully deleted widget " + widgetName
};
}
Version 2
215
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add the individual widget functions
}
}
Wire up these functions to your API Gateway code at the end of the WidgetService constructor.
TypeScript
File: lib/widget_service.ts
JavaScript
File: lib/widget_service.js
Python
File: my_widget_service/widget_service.py
widget = api.root.add_resource("{id}")
Version 2
216
AWS Cloud Development Kit (CDK) v2 Developer Guide
Clean up
Java
File: src/src/main/java/com/myorg/WidgetService.java
C#
File: src/MyWidgetService/WidgetService.cs
cdk deploy
We can now store, show, or delete an individual widget. Use the following commands to list the widgets,
create the widget example, list all of the widgets, show the contents of example (it should show today's
date), delete example, and then show the list of widgets again.
You can also use the API Gateway console to test these functions. Set the name value to the name of a
widget, such as example.
Clean up
To avoid unexpected AWS charges, destroy your AWS CDK stack after you're done with this exercise.
Version 2
217
AWS Cloud Development Kit (CDK) v2 Developer Guide
ECS
cdk destroy
Amazon ECS is a highly scalable, fast, container management service that makes it easy to run, stop, and
manage Docker containers on a cluster. You can host your cluster on a serverless infrastructure that's
managed by Amazon ECS by launching your services or tasks using the Fargate launch type. For more
control, you can host your tasks on a cluster of Amazon Elastic Compute Cloud (Amazon EC2) instances
that you manage by using the Amazon EC2 launch type.
This tutorial shows you how to launch some services using the Fargate launch type. If you've used the
AWS Management Console to create a Fargate service, you know that there are many steps to follow
to accomplish that task. AWS has several tutorials and documentation topics that walk you through
creating a Fargate service, including:
The Amazon ECS construct used in this tutorial helps you use AWS services by providing the following
benefits:
In addition, the AWS CDK prevents an instance from being deleted when automatic scaling tries to kill
an instance, but either a task is running or is scheduled on that instance.
Version 2
218
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating the directory and initializing the AWS CDK
• Provides asset support, so that you can deploy a source from your machine to Amazon ECS in one step.
Previously, to use an application source you had to perform several manual steps, such as uploading to
Amazon ECR and creating a Docker image.
TypeScript
mkdir MyEcsConstruct
cd MyEcsConstruct
cdk init --language typescript
JavaScript
mkdir MyEcsConstruct
cd MyEcsConstruct
cdk init --language javascript
Python
mkdir MyEcsConstruct
cd MyEcsConstruct
cdk init --language python
source .venv/bin/activate
pip install -r requirements.txt
Java
mkdir MyEcsConstruct
cd MyEcsConstruct
cdk init --language java
You may now import the Maven project into your IDE.
C#
mkdir MyEcsConstruct
cd MyEcsConstruct
cdk init --language csharp
cdk synth
Version 2
219
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create a Fargate service
• Use the Fargate launch type, where Amazon ECS manages the physical machines that your containers
are running on for you.
• Use the EC2 launch type, where you do the managing, such as specifying automatic scaling.
For this example, we'll create a Fargate service running on an ECS cluster fronted by an internet-facing
Application Load Balancer.
Add the following AWS Construct Library module imports to the indicated file.
TypeScript
File: lib/my_ecs_construct-stack.ts
JavaScript
File: lib/my_ecs_construct-stack.js
Python
File: my_ecs_construct/my_ecs_construct_stack.py
Java
File: src/main/java/com/myorg/MyEcsConstructStack.java
import software.amazon.awscdk.services.ec2.*;
import software.amazon.awscdk.services.ecs.*;
import software.amazon.awscdk.services.ecs.patterns.*;
C#
File: src/MyEcsConstruct/MyEcsConstructStack.cs
using Amazon.CDK.AWS.EC2;
using Amazon.CDK.AWS.ECS;
using Amazon.CDK.AWS.ECS.Patterns;
Replace the comment at the end of the constructor with the following code.
TypeScript
Version 2
220
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create a Fargate service
JavaScript
Python
ecs_patterns.ApplicationLoadBalancedFargateService(self, "MyFargateService",
cluster=cluster, # Required
cpu=512, # Default is 256
desired_count=6, # Default is 1
task_image_options=ecs_patterns.ApplicationLoadBalancedTaskImageOptions(
image=ecs.ContainerImage.from_registry("amazon/amazon-ecs-sample")),
memory_limit_mib=2048, # Default is 512
public_load_balancer=True) # Default is False
Java
Version 2
221
AWS Cloud Development Kit (CDK) v2 Developer Guide
Clean up
C#
cdk synth
The stack is hundreds of lines, so we won't show it here. The stack should contain one default instance, a
private subnet and a public subnet for the three Availability Zones, and a security group.
cdk deploy
AWS CloudFormation displays information about the dozens of steps that it takes as it deploys your app.
That's how easy it is to create a Fargate-powered Amazon ECS service to run a Docker image.
Clean up
To avoid unexpected AWS charges, destroy your AWS CDK stack after you're done with this exercise.
cdk destroy
Version 2
222
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK examples
Version 2
223
AWS Cloud Development Kit (CDK) v2 Developer Guide
Get environment value
TypeScript
JavaScript
Python
import os
Java
C#
using System;
Version 2
224
AWS Cloud Development Kit (CDK) v2 Developer Guide
Get CloudFormation value
You can also get a reference to a resource in an existing AWS CloudFormation template, as described in
the section called “Import or migrate CloudFormation template” (p. 225).
This construct essentially adds an AWS CDK API wrapper to any resource in the template. You can use
this capability to migrate your existing AWS CloudFormation templates to the AWS CDK a piece at a time
in order to take advantage of the AWS CDK's convenient higher-level abstractions, or just to vend your
AWS CloudFormation templates to AWS CDK developers by providing an AWS CDK construct API.
Note
AWS CDK v1 also included aws-cdk-lib.CfnInclude, which was previously used for the
same general purpose. However, it lacks much of the functionality of cloudformation-
include.CfnInclude.
{
"Resources": {
"MyBucket": {
"Type": "AWS::S3::Bucket",
"Properties": {
"BucketName": "MyBucket",
}
}
}
}
And here's how you import it into your stack using cloudformation-include.
TypeScript
Version 2
225
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing a template
JavaScript
module.exports = { MyStack }
Python
class MyStack(cdk.Stack):
Java
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.cloudformation.include.CfnInclude;
import software.constructs.Construct;
public MyStack(final Construct scope, final String id, final StackProps props) {
super(scope, id, props);
Version 2
226
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing a template
C#
using Amazon.CDK;
using Constructs;
using cfnInc = Amazon.CDK.CloudFormation.Include;
namespace MyApp
{
public class MyStack : Stack
{
internal MyStack(Construct scope, string id, IStackProps props = null) :
base(scope, id, props)
{
var template = new cfnInc.CfnInclude(this, "Template", new
cfnInc.CfnIncludeProps
{
TemplateFile = "my-template.json"
});
}
}
}
By default, importing a resource preserves the resource's original logical ID from the template. This
behavior is suitable for migrating an AWS CloudFormation template to the AWS CDK, where the logical
IDs must be retained for AWS CloudFormation to recognize these as the same resources from the AWS
CloudFormation template.
If you are instead developing an AWS CDK construct wrapper for the template so it can be used by AWS
CDK developers ("vending"), have the AWS CDK generate new resource IDs instead, so the construct can
be used multiple times in a stack without name conflicts. To do this, set the preserveLogicalIds
property to false when importing the template.
TypeScript
JavaScript
Python
Java
Version 2
227
AWS Cloud Development Kit (CDK) v2 Developer Guide
Importing a template
.preserveLogicalIds(false)
.build();
C#
To put the imported resources under the control of your AWS CDK app, add the stack to the App as usual.
TypeScript
JavaScript
Python
app = cdk.App()
MyStack(app, "MyStack")
Java
import software.amazon.awscdk.App;
C#
using Amazon.CDK;
namespace CdkApp
{
sealed class Program
{
public static void Main(string[] args)
Version 2
228
AWS Cloud Development Kit (CDK) v2 Developer Guide
Accessing imported resources
{
var app = new App();
new MyStack(app, "MyStack");
}
}
}
To verify that there will be no unintended changes to the AWS resources in the stack, perform a diff,
omitting the AWS CDK-specific metadata.
When you cdk deploy the stack, your AWS CDK app becomes the source of truth for the stack. Going
forward, make changes to the AWS CDK app, not to the AWS CloudFormation template.
TypeScript
JavaScript
Python
cfn_bucket = template.get_resource("MyBucket")
Java
C#
In our example, cfnBucket is now an instance of the aws-s3.CfnBucket class, a L1 construct that
exactly represents the corresponding AWS CloudFormation resource. You can treat it like any other
resource of its type, for example getting its ARN by way of the bucket.attrArn property.
To wrap the L1 CfnBucket resource in a L2 aws-s3.Bucket instance instead, use the static
methods fromBucketArn(), fromBucketAttributes(), or fromBucketName(). Usually the
fromBucketName() method is the most convenient. For example:
TypeScript
Version 2
229
AWS Cloud Development Kit (CDK) v2 Developer Guide
Replacing parameters
JavaScript
Python
Java
C#
Other L2 constructs have similar methods for creating the construct from an existing resource.
Constructing the Bucket this way doesn't create a second Amazon S3 bucket; instead, the new Bucket
instance encapsulates the existing CfnBucket.
In the example, bucket is now an L2 Bucket construct that you can use as you would one you declared
yourself. For example, if lambdaFunc is an AWS Lambda function, and you wish to grant it write access
to the bucket, you can do so using the bucket's convenient grantWrite() method, without needing to
construct the necessary IAM policy yourself.
TypeScript
bucket.grantWrite(lambdaFunc);
JavaScript
bucket.grantWrite(lambdaFunc);
Python
bucket.grant_write(lambda_func)
Java
bucket.grantWrite(lambdaFunc);
C#
bucket.GrantWrite(lambdaFunc);
Replacing parameters
If your included AWS CloudFormation template has parameters, you can replace these with build-time
values when you import the template, using the parameters property. In the example below, we
replace the UploadBucket parameter with the ARN of a bucket defined elsewhere in our AWS CDK
code.
Version 2
230
AWS Cloud Development Kit (CDK) v2 Developer Guide
Other template elements
TypeScript
JavaScript
Python
Java
C#
Version 2
231
AWS Cloud Development Kit (CDK) v2 Developer Guide
Nested stacks
Each of these methods returns an instance of a class representing the specific type of AWS
CloudFormation element. These objects are mutable; changes you make to them will appear in the
template generated from the AWS CDK stack. The code below, for example, imports a parameter from
the template and modifies its default.
TypeScript
JavaScript
Python
param = template.get_parameter("MyParameter")
param.default = "AWS CDK"
Java
C#
Nested stacks
You may import nested stacks by specifying them either when you import their main template, or at
some later point. The nested template must be stored in a local file, but referenced as a NestedStack
resource in the main template, and the resource name used in the AWS CDK code must match the name
used for the nested stack in the main template.
Given this resource definition in the main template, the following code shows how to import the
referenced nested stack both ways.
"NestedStack": {
"Type": "AWS::CloudFormation::Stack",
"Properties": {
"TemplateURL": "https://my-s3-template-source.s3.amazonaws.com/nested-stack.json"
}
TypeScript
Version 2
232
AWS Cloud Development Kit (CDK) v2 Developer Guide
Nested stacks
},
});
JavaScript
Python
Java
C#
Version 2
233
AWS Cloud Development Kit (CDK) v2 Developer Guide
Use resources from the CloudFormation Public Registry
}
});
You can import multiple nested stacks with either or both methods. When importing the main template,
you provide a mapping between the resource name of each nested stack and its template file, and this
mapping can contain any number of entries. To do it after the initial import, call loadNestedStack()
once for each nested stack.
After importing a nested stack, you can access it using the main template's getNestedStack()
method.
TypeScript
JavaScript
Python
nested_stack = main_template.get_nested_stack("NestedStack").stack
Java
C#
The getNestedStack() method returns an IncludedNestedStack instance, from which you can
access the AWS CDK NestedStack instance via the stack property (as shown in the example) or
the original AWS CloudFormation template object via includedTemplate, from which you can load
resources and other AWS CloudFormation elements.
All public extensions published by AWS are available to all accounts in all regions without any action
on your part. On the other hand, you must activate each third-party extension you want to use, in each
account and region where you want to use it.
Version 2
234
AWS Cloud Development Kit (CDK) v2 Developer Guide
Activating a third-party resource
in your account and region
Note
When you use AWS CloudFormation with third-party resource types, you will incur charges
based on the number of handler operations you run per month and handler operation duration.
See CloudFormation pricing for complete details.
See Using public extensions in CloudFormation for complete documentation of this feature from the
AWS CloudFormation side.
To activate a third-party extension through the AWS Management Console, or to simply see what
resources are available, follow these steps.
1. Log in to the AWS account in which you want to use the extension, then switch to the region where
you want to use it.
2. Navigate to the CloudFormation console via the Services menu.
3. Click Public extensions on the navigation bar, then activate the Third party radio button under
Publisher. A list of the available third-party public extensions appears. (You may also choose AWS to
see a list of the public extensions published by AWS, though you don't need to activate them.)
4. Browse the list and find the extension you want to activate, or search for it, then activate the radio
button in the upper right corner of the extension's card.
5. Click the Activate button at the top of the list to activate the selected extension. The extension's
Activate page appears.
Version 2
235
AWS Cloud Development Kit (CDK) v2 Developer Guide
Adding a resource from the AWS
CloudFormation Public Registry to your CDK app
6. In the Activate page, you may override the extension's default name, specify an execution role and
logging configuration, and choose whether to automatically update the extension when a new version
is released. When you have set these options as you like, click Activate extension at the bottom of the
page.
To activate a third-party extension using the AWS CLI, use the activate-type command, substituting
the ARN of the custom type you want to use for the one given.
The TypeActivation resource can be deployed by the CDK using the CfnResource construct, as
shown below for the actual extensions.
For example, suppose there is a public resource named MY::S5::UltimateBucket that you want to
use in your AWS CDK application. This resource takes one property: the bucket name. The corresponding
CfnResource instantiation looks like this.
TypeScript
JavaScript
Version 2
236
AWS Cloud Development Kit (CDK) v2 Developer Guide
Get SSM value
Python
Java
CfnResource.Builder.create(this, "MyUltimateBucket")
.type("MY::S5::UltimateBucket::MODULE")
.properties(java.util.Map.of( // Map.of requires Java 9+
"BucketName", "UltimateBucket"))
.build();;
C#
The AWS CDK supports retrieving both plain and secure values. You may request a specific version of
either kind of value. For plain values only, you may omit the version from your request to receive the
latest version. You must always specify the version when requesting the value of a secure attribute.
Note
This topic shows how to read attributes from the AWS Systems Manager Parameter Store.
You can also read secrets from the AWS Secrets Manager (see Get a value from AWS Secrets
Manager (p. 240)).
TypeScript
Version 2
237
AWS Cloud Development Kit (CDK) v2 Developer Guide
Reading Systems Manager values at deployment time
JavaScript
Python
Java
import software.amazon.awscdk.services.ssm.StringParameter;
C#
using Amazon.CDK.AWS.SSM;
Version 2
238
AWS Cloud Development Kit (CDK) v2 Developer Guide
Reading Systems Manager values at synthesis time
To read a value from the Systems Manager parameter store at synthesis time, use the valueFromLookup
method (Python: value_from_lookup). This method returns the actual value of the parameter as a
the section called “Context” (p. 164) value. If the value is not already cached in cdk.json or passed on
the command line, it will be retrieved from the current AWS account. For this reason, the stack must be
synthesized with explicit account and region information.
Only plain Systems Manager strings may be retrieved, not secure strings. It is not possible to request a
specific version; the latest version is always returned.
Important
The retrieved value will end up in your synthesized AWS CloudFormation template, which may
be a security risk depending on who has access to your AWS CloudFormation templates and
what kind of value it is. Generally, don't use this feature for passwords, keys, or other values you
want to keep private.
TypeScript
JavaScript
Python
Java
import software.amazon.awscdk.services.ssm.StringParameter;
C#
using Amazon.CDK.AWS.SSM;
Version 2
239
AWS Cloud Development Kit (CDK) v2 Developer Guide
Writing values to Systems Manager
When updating an SSM value that already exists, also include the --overwrite option.
TypeScript
JavaScript
const sm = require("aws-cdk-lib/aws-secretsmanager");
Version 2
240
AWS Cloud Development Kit (CDK) v2 Developer Guide
Get Secrets Manager value
module.exports = { SecretsManagerStack }
Python
import aws_cdk.aws_secretsmanager as sm
class SecretsManagerStack(cdk.Stack):
def __init__(self, scope: cdk.App, id: str, **kwargs):
super().__init__(scope, name, **kwargs)
Java
import software.amazon.awscdk.services.secretsmanager.Secret;
import software.amazon.awscdk.services.secretsmanager.SecretAttributes;
C#
using Amazon.CDK.AWS.SecretsManager;
Version 2
241
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create an app with multiple stacks
Use the create-secret CLI command to create a secret from the command-line, such as when testing:
The command returns an ARN you can use for the example.
This topic illustrates how to extend the Stack class to accept new properties or arguments, how
to use these properties to affect what resources the stack contains and their configuration, and
how to instantiate multiple stacks from this class. The example uses a Boolean property, named
encryptBucket (Python: encrypt_bucket), to indicate whether an Amazon S3 bucket should be
encrypted. If so, the stack enables encryption using a key managed by AWS Key Management Service
(AWS KMS). The app creates two instances of this stack, one with encryption and one without.
Next, create an AWS CDK project by entering the following commands at the command line.
TypeScript
mkdir multistack
cd multistack
cdk init --language=typescript
JavaScript
mkdir multistack
cd multistack
cdk init --language=javascript
Python
mkdir multistack
cd multistack
cdk init --language=python
source .venv/bin/activate
pip install -r requirements.txt
Java
mkdir multistack
cd multistack
cdk init --language=java
You can import the resulting Maven project into your Java IDE.
Version 2
242
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add optional parameter
C#
mkdir multistack
cd multistack
cdk init --language=csharp
So open the indicated source file in your IDE or editor and add the new interface, class, or argument. The
code should look like this after the changes. The lines we added are shown in boldface.
TypeScript
File: lib/multistack-stack.ts
JavaScript
File: lib/multistack-stack.js
JavaScript doesn't have an interface feature; we don't need to add any code.
module.exports = { MultistackStack }
Python
File: multistack/multistack_stack.py
Version 2
243
AWS Cloud Development Kit (CDK) v2 Developer Guide
Add optional parameter
Python does not have an interface feature, so we'll extend our stack to accept the new property by
adding a keyword argument.
class MultistackStack(cdk.Stack):
Java
File: src/main/java/com/myorg/MultistackStack.java
It's more complicated than we really want to get into to extend a props type in Java, so we'll simply
write our stack's constructor to accept an optional Boolean parameter. Since props is an optional
argument, we'll write an additional constructor that allows you to skip it. It will default to false.
package com.myorg;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.constructs.Construct;
import software.amazon.awscdk.services.s3.Bucket;
C#
File: src/Multistack/MultistackStack.cs
using Amazon.CDK;
using constructs;
namespace Multistack
{
Version 2
244
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define the stack class
The new property is optional. If encryptBucket (Python: encrypt_bucket) is not present, its value is
undefined, or the local equivalent. The bucket will be unencrypted by default.
TypeScript
File: lib/multistack-stack.ts
JavaScript
File: lib/multistack-stack.js
Version 2
245
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define the stack class
const s3 = require('aws-cdk-lib/aws-s3');
module.exports = { MultistackStack }
Python
File: multistack/multistack_stack.py
class MultistackStack(cdk.Stack):
Java
File: src/main/java/com/myorg/MultistackStack.java
package com.myorg;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.constructs.Construct;
import software.amazon.awscdk.RemovalPolicy;
import software.amazon.awscdk.services.s3.Bucket;
import software.amazon.awscdk.services.s3.BucketEncryption;
Version 2
246
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define the stack class
// main constructor
public MultistackStack(final Construct scope, final String id,
final StackProps props, final boolean encryptBucket) {
super(scope, id, props);
C#
File: src/Multistack/MultistackStack.cs
using Amazon.CDK;
using Amazon.CDK.AWS.S3;
namespace Multistack
{
Version 2
247
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create two stack instances
TypeScript
File: bin/multistack.ts
#!/usr/bin/env node
import 'source-map-support/register';
import * as cdk from 'aws-cdk-lib';
import { MultistackStack } from '../lib/multistack-stack';
JavaScript
File: bin/multistack.js
#!/usr/bin/env node
const cdk = require('aws-cdk-lib');
const { MultistackStack } = require('../lib/multistack-stack');
Python
File: ./app.py
#!/usr/bin/env python3
Version 2
248
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create two stack instances
app = cdk.App()
MultistackStack(app, "MyWestCdkStack",
env=cdk.Environment(region="us-west-1"),
encrypt_bucket=False)
MultistackStack(app, "MyEastCdkStack",
env=cdk.Environment(region="us-east-1"),
encrypt_bucket=True)
Java
File: src/main/java/com/myorg/MultistackApp.java
package com.myorg;
import software.amazon.awscdk.App;
import software.amazon.awscdk.Environment;
import software.amazon.awscdk.StackProps;
app.synth();
}
}
C#
File: src/Multistack/Program.cs
using Amazon.CDK;
namespace Multistack
{
class Program
{
static void Main(string[] args)
{
var app = new App();
Version 2
249
AWS Cloud Development Kit (CDK) v2 Developer Guide
Synthesize and deploy the stack
app.Synth();
}
}
}
This code uses the new encryptBucket (Python: encrypt_bucket) property on the
MultistackStack class to instantiate the following:
• One stack with an encrypted Amazon S3 bucket in the us-east-1 AWS Region.
• One stack with an unencrypted Amazon S3 bucket in the us-west-1 AWS Region.
To deploy this stack to your AWS account, issue one of the following commands. The first command
uses your default AWS profile to obtain the credentials to deploy the stack. The second uses a profile
you specify: for PROFILE_NAME, substitute the name of an AWS CLI profile that contains appropriate
credentials for deploying to the us-east-1 AWS Region.
Clean up
To avoid charges for resources that you deployed, destroy the stack using the following command.
The destroy operation fails if there is anything stored in the stack's bucket. There shouldn't be if you've
only followed the instructions in this topic. But if you did put something in the bucket, you must delete
the bucket's contents, but not the bucket itself, using the AWS Management Console or the AWS CLI
before destroying the stack.
Version 2
250
AWS Cloud Development Kit (CDK) v2 Developer Guide
Using an existing metric
TypeScript
JavaScript
Python
metric = queue.metric("ApproximateNumberOfMessagesVisible")
Java
C#
TypeScript
JavaScript
Python
metric = cloudwatch.Metric(
namespace="MyNamespace",
metric_name="MyMetric",
Version 2
251
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating the alarm
dimensions=dict(MyDimension="MyDimensionValue")
)
Java
C#
Assuming the metric is the ApproximateNumberOfMessagesVisible metric from an Amazon SQS queue,
it would raise when 100 messages are visible in the queue in two of the last three seconds.
TypeScript
JavaScript
Python
Version 2
252
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating the alarm
evaluation_periods=3,
datapoints_to_alarm=2
)
Java
import software.amazon.awscdk.services.cloudwatch.Alarm;
import software.amazon.awscdk.services.cloudwatch.Metric;
C#
An alternative way to create an alarm is using the metric's createAlarm() method, which takes essentially
the same properties as the Alarm constructor; you just don't need to pass in the metric, since it's already
known.
TypeScript
metric.createAlarm(this, 'Alarm', {
threshold: 100,
evaluationPeriods: 3,
datapointsToAlarm: 2,
});
JavaScript
metric.createAlarm(this, 'Alarm', {
threshold: 100,
evaluationPeriods: 3,
datapointsToAlarm: 2,
});
Python
metric.create_alarm(self, "Alarm",
threshold=100,
evaluation_periods=3,
datapoints_to_alarm=2
)
Java
Version 2
253
AWS Cloud Development Kit (CDK) v2 Developer Guide
Get context value
.datapointsToAlarm(2)
.build());
C#
To create a command line context variable, use the --context (-c) option, as shown in the following
example.
To specify the same context variable and value in the cdk.json file, use the following code.
{
"context": {
"bucket_name": "myotherbucket"
}
}
To get the value of a context variable in your app, use the TryGetContext method in the context of a
construct (that is, when this, or self in Python, is an instance of some construct). The example gets the
context value bucket_name. If the requested value is not defined, TryGetContext returns undefined
(None in Python; null in Java and C#) rather than raising an exception.
TypeScript
JavaScript
Python
bucket_name = self.node.try_get_context("bucket_name")
Java
C#
Version 2
254
AWS Cloud Development Kit (CDK) v2 Developer Guide
Create CDK Pipeline
Outside the context of a construct, you can access the context variable from the app object, like this.
TypeScript
JavaScript
Python
app = cdk.App()
bucket_name = app.node.try_get_context("bucket_name")
Java
C#
app = App();
var bucketName = app.Node.TryGetContext("bucket_name");
For more details on working with context variables, see the section called “Context” (p. 164).
CDK Pipelines are self-updating: if you add application stages or stacks, the pipeline automatically
reconfigures itself to deploy those new stages and/or stacks.
Note
CDK Pipelines supports two APIs: the original API that was made available in the Developer
Preview, and a modern one that incorporates feedback from CDK customers received during the
preview phase. The examples in this topic use the modern API. For details on the differences
between the two supported APIs, see CDK Pipelines original API.
Version 2
255
AWS Cloud Development Kit (CDK) v2 Developer Guide
Bootstrap your AWS environments
Note
See the section called “Bootstrapping” (p. 180) for more information on the kinds of resources
created by bootstrapping and how to customize the bootstrap stack.
You may have already bootstrapped one or more environments so you can deploy assets and Lambda
functions using the AWS CDK. Continuous deployment with CDK Pipelines requires that the CDK Toolkit
stack include additional resources, so the bootstrap stack has been extended to include an additional
Amazon S3 bucket, an Amazon ECR repository, and IAM roles to give the various parts of a pipeline the
permissions they need. This new style of CDK Toolkit stack will eventually become the default, but at this
writing, you must opt in. The AWS CDK Toolkit will upgrade your existing bootstrap stack or create a new
one, as necessary.
To bootstrap an environment that can provision an AWS CDK pipeline, set the environment variable
CDK_NEW_BOOTSTRAP before invoking cdk bootstrap, as shown below. Invoking the AWS CDK Toolkit
via the npx command installs it if necessary, and will use the version of the Toolkit installed in the
current project if one exists.
--cloudformation-execution-policies specifies the ARN of a policy under which future CDK Pipelines
deployments will execute. The default AdministratorAccess policy ensures that your pipeline
can deploy every type of AWS resource. If you use this policy, make sure you trust all the code and
dependencies that make up your AWS CDK app.
Most organizations mandate stricter controls on what kinds of resources can be deployed by automation.
Check with the appropriate department within your organization to determine the policy your pipeline
should use.
You may omit the --profile option if your default AWS profile contains the necessary credentials or
to instead use the environment variables AWS_ACCESS_KEY_ID, AWS_SECRET_ACCESS_KEY, and
AWS_DEFAULT_REGION to provide your AWS account credentials.
macOS/Linux
export CDK_NEW_BOOTSTRAP=1
npx cdk bootstrap aws://ACCOUNT-NUMBER/REGION --profile ADMIN-PROFILE \
--cloudformation-execution-policies arn:aws:iam::aws:policy/AdministratorAccess \
aws://ACCOUNT-ID/REGION
Windows
set CDK_NEW_BOOTSTRAP=1
npx cdk bootstrap aws://ACCOUNT-NUMBER/REGION --profile ADMIN-PROFILE ^
--cloudformation-execution-policies arn:aws:iam::aws:policy/AdministratorAccess ^
aws://ACCOUNT-ID/REGION
To bootstrap additional environments into which AWS CDK applications will be deployed by the pipeline,
use the commands below instead. The --trust option indicates which other account should have
permissions to deploy AWS CDK applications into this environment; specify the pipeline's AWS account
ID.
Again, you may omit the --profile option if your default AWS profile contains the necessary credentials
or if you are using the AWS_* environment variables to provide your AWS account credentials.
macOS/Linux
export CDK_NEW_BOOTSTRAP=1
npx cdk bootstrap aws://ACCOUNT-NUMBER/REGION --profile ADMIN-PROFILE \
--cloudformation-execution-policies arn:aws:iam::aws:policy/AdministratorAccess \
--trust PIPELINE-ACCOUNT-ID \
Version 2
256
AWS Cloud Development Kit (CDK) v2 Developer Guide
Initialize project
aws://ACCOUNT-ID/REGION
Windows
set CDK_NEW_BOOTSTRAP=1
npx cdk bootstrap aws://ACCOUNT-NUMBER/REGION --profile ADMIN-PROFILE ^
--cloudformation-execution-policies arn:aws:iam::aws:policy/AdministratorAccess ^
--trust PIPELINE-ACCOUNT-ID ^
aws://ACCOUNT-ID/REGION
Tip
Use administrative credentials only to bootstrap and to provision the initial pipeline. Afterward,
use the pipeline itself, not your local machine, to deploy changes.
If you are upgrading a legacy-bootstrapped environment, the old Amazon S3 bucket is orphaned when
the new bucket is created. Delete it manually using the Amazon S3 console.
Initialize project
Create a new, empty GitHub project and clone it to your workstation in the my-pipeline directory. (Our
code examples in this topic use GitHub; you can also use CodeStar or AWS CodeCommit.)
Note
You may use a name other than my-pipeline for your app's main directory, but since the AWS
CDK Toolkit bases some file and class names on the name of the main directory, you'll need to
tweak these later in this topic.
TypeScript
JavaScript
Python
After the app has been created, also enter the following two commands to activate the app's Python
virtual environment and install the AWS CDK core dependencies.
source .venv/bin/activate
python -m pip install -r requirements.txt
Java
Version 2
257
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define a pipeline
If you are using an IDE, you can now open or import the project. In Eclipse, for example, choose File
> Import > Maven > Existing Maven Projects. Make sure that the project settings are set to use Java
8 (1.8).
C#
If you are using Visual Studio, open the solution file in the src directory.
Tip
Be sure to commit your cdk.json and cdk.context.json files in source control. The context
information (such as feature flags and cached values retrieved from your AWS account) are part
of your project's state. The values may be different in another environment, which can cause
instability (unexpected changes) in your results.
Define a pipeline
Your CDK Pipelines application will include at least two stacks: one that represents the pipeline itself, and
one or more stacks that represent the application deployed through it. Stacks can also be grouped into
stages, which you can use to deploy copies of infrastructure stacks to different environments. For now,
we'll consider the pipeline, and later delve into the application it will deploy.
The construct CodePipeline is the construct that represents a CDK Pipeline that uses AWS
CodePipeline as its deployment engine. When you instantiate CodePipeline in a stack, you define
the source location for the pipeline (e.g. a GitHub repository) and the commands to build the app. For
example, the following defines a pipeline whose source is stored in a GitHub repository, and includes
a build step for a TypeScript CDK application. Fill in the information about your GitHub repo where
indicated.
Note
By default, the pipeline authenticates to GitHub using a personal access token stored in Secrets
Manager under the name github-token.
You'll also need to update the instantiation of the pipeline stack to specify the AWS account and region.
TypeScript
Version 2
258
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define a pipeline
#!/usr/bin/env node
import * as cdk from 'aws-cdk-lib';
import { MyPipelineStack } from '../lib/my-pipeline-stack';
app.synth();
JavaScript
module.exports = { MyPipelineStack }
#!/usr/bin/env node
app.synth();
Python
Version 2
259
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define a pipeline
class MyPipelineStack(cdk.Stack):
In app.py:
#!/usr/bin/env python3
import aws_cdk as cdk
from my_pipeline.my_pipeline_stack import MyPipelineStack
app = cdk.App()
MyPipelineStack(app, "MyPipelineStack",
env=cdk.Environment(account="111111111111", region="eu-west-1")
)
app.synth()
Java
package com.myorg;
import java.util.Arrays;
import software.constructs.Construct;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.pipelines.CodePipeline;
import software.amazon.awscdk.pipelines.CodePipelineSource;
import software.amazon.awscdk.pipelines.ShellStep;
Version 2
260
AWS Cloud Development Kit (CDK) v2 Developer Guide
Define a pipeline
package com.myorg;
import software.amazon.awscdk.App;
import software.amazon.awscdk.Environment;
import software.amazon.awscdk.StackProps;
app.synth();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.Pipelines;
namespace MyPipeline
{
public class MyPipelineStack : Stack
{
internal MyPipelineStack(Construct scope, string id, IStackProps props =
null) : base(scope, id, props)
{
var pipeline = new CodePipeline(this, "pipeline", new CodePipelineProps
{
PipelineName = "MyPipeline",
Synth = new ShellStep("Synth", new ShellStepProps
{
Input = CodePipelineSource.GitHub("OWNER/REPO", "main"),
Commands = new string[] { "npm install -g aws-cdk", "cdk synth" }
})
});
}
}
}
using Amazon.CDK;
namespace MyPipeline
{
sealed class Program
{
public static void Main(string[] args)
{
Version 2
261
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
app.Synth();
}
}
}
You must deploy a pipeline manually once. After that, the pipeline will keep itself up to date from the
source code repository, so make sure the code in the repo is the code you want deployed. Check in your
changes and push to GitHub, then deploy:
Tip
Now that you've done the initial deployment, your local AWS account no longer needs
administrative access, because all changes to your app will be deployed via the pipeline. All you
need to be able to do is push to GitHub.
Application stages
To define a multi-stack AWS application that can be added to the pipeline all at once, define a subclass
of Stage (not to be confused with CdkStage in the CDK Pipelines module).
The stage contains the stacks that make up your application. If there are dependencies between the
stacks, the stacks are automatically added to the pipeline in the right order. Stacks that don't depend on
each other are deployed in parallel. You can add a dependency relationship between stacks by calling
stack1.addDependency(stack2).
Stages accept a default env argument, which becomes the default environment for the stacks inside it.
(Stacks can still have their own environment specified.).
An application is added to the pipeline by calling addStage() with instances of Stage. A stage can be
instantiated and added to the pipeline multiple times to define different stages of your DTAP or multi-
region application pipeline:
We will create a stack containing a simple Lambda function and place that stack in a stage. Then we will
add the stage to the pipeline so it can be deployed.
TypeScript
Create the new file lib/my-pipeline-lambda-stack.ts to hold our application stack containing
a Lambda function.
Version 2
262
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
JavaScript
Create the new file lib/my-pipeline-lambda-stack.js to hold our application stack containing
a Lambda function.
Version 2
263
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
handler: 'index.handler',
code: new InlineCode('exports.handler = _ => "Hello, CDK";')
});
}
}
module.exports = { MyLambdaStack }
module.exports = { MyPipelineAppStage };
}
}
module.exports = { MyPipelineStack }
Python
class MyLambdaStack(cdk.Stack):
Version 2
264
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
Function(self, "LambdaFunction",
runtime=Runtime.NODEJS_12_X,
handler="index.handler",
code=InlineCode("exports.handler = _ => 'Hello, CDK';")
)
class MyPipelineAppStage(cdk.Stage):
def __init__(self, scope: Construct, construct_id: str, **kwargs) -> None:
super().__init__(scope, construct_id, **kwargs)
class MyPipelineStack(cdk.Stack):
pipeline.add_stage(MyPipelineAppStage(self, "test",
env=cdk.Environment(account="111111111111", region="eu-west-1")))
Java
package com.myorg;
import software.constructs.Construct;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.lambda.Runtime;
import software.amazon.awscdk.services.lambda.InlineCode;
Version 2
265
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
Function.Builder.create(this, "LambdaFunction")
.runtime(Runtime.NODEJS_12_X)
.handler("index.handler")
.code(new InlineCode("exports.handler = _ => 'Hello, CDK';"))
.build();
package com.myorg;
import software.constructs.Construct;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.Stage;
import software.amazon.awscdk.StageProps;
package com.myorg;
import java.util.Arrays;
import software.constructs.Construct;
import software.amazon.awscdk.Environment;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.StageProps;
import software.amazon.awscdk.pipelines.CodePipeline;
import software.amazon.awscdk.pipelines.CodePipelineSource;
import software.amazon.awscdk.pipelines.ShellStep;
Version 2
266
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
.pipelineName("MyPipeline")
.synth(ShellStep.Builder.create("Synth")
.input(CodePipelineSource.gitHub("OWNER/REPO", "main"))
.commands(Arrays.asList("npm install -g aws-cdk", "cdk synth"))
.build())
.build();
C#
using Amazon.CDK;
using Constructs;
using Amazon.CDK.AWS.Lambda;
namespace MyPipeline
{
class MyPipelineLambdaStack : Stack
{
public MyPipelineLambdaStack(Construct scope, string id, StackProps
props=null) : base(scope, id, props)
{
new Function(this, "LambdaFunction", new FunctionProps
{
Runtime = Runtime.NODEJS_12_X,
Handler = "index.handler",
Code = new InlineCode("exports.handler = _ => 'Hello, CDK';")
});
}
}
}
using Amazon.CDK;
using Constructs;
namespace MyPipeline
{
class MyPipelineAppStage : Stage
{
public MyPipelineAppStage(Construct scope, string id, StageProps props=null) :
base(scope, id, props)
{
Stack lambdaStack = new MyPipelineLambdaStack(this, "LambdaStack");
}
}
}
using Amazon.CDK;
Version 2
267
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
using Constructs;
using Amazon.CDK.Pipelines;
namespace MyPipeline
{
public class MyPipelineStack : Stack
{
internal MyPipelineStack(Construct scope, string id, IStackProps props =
null) : base(scope, id, props)
{
var pipeline = new CodePipeline(this, "pipeline", new CodePipelineProps
{
PipelineName = "MyPipeline",
Synth = new ShellStep("Synth", new ShellStepProps
{
Input = CodePipelineSource.GitHub("OWNER/REPO", "main"),
Commands = new string[] { "npm install -g aws-cdk", "cdk synth" }
})
});
Every application stage added by addStage() results in the addition of a corresponding pipeline
stage, represented by a StageDeployment instance returned by the addStage() call. You can add pre-
deployment or post-deployment actions to the stage by calling its addPre() or addPost() method.
TypeScript
testingStage.addPost(new ManualApprovalStep('approval'));
JavaScript
testingStage.addPost(new ManualApprovalStep('approval'));
Python
Version 2
268
AWS Cloud Development Kit (CDK) v2 Developer Guide
Application stages
testing_stage.add_post(ManualApprovalStep('approval'))
Java
// import software.amazon.awscdk.pipelines.StageDeployment;
// import software.amazon.awscdk.pipelines.ManualApprovalStep;
StageDeployment testingStage =
pipeline.addStage(new MyPipelineAppStage(this, "test", StageProps.builder()
.env(Environment.builder()
.account("111111111111")
.region("eu-west-1")
.build())
.build()));
testingStage.addPost(new ManualApprovalStep("approval"));
C#
testingStage.AddPost(new ManualApprovalStep("approval"));
You can add stages to a Wave to deploy them in parallel, for example when deploying a stage to multiple
accounts or regions.
TypeScript
JavaScript
Python
wave = pipeline.add_wave("wave")
wave.add_stage(MyApplicationStage(self, "MyAppEU",
env=cdk.Environment(account="111111111111", region="eu-west-1")))
Version 2
269
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
wave.add_stage(MyApplicationStage(self, "MyAppUS",
env=cdk.Environment(account="111111111111", region="us-west-1")))
Java
// import software.amazon.awscdk.pipelines.Wave;
final Wave wave = pipeline.addWave("wave");
wave.addStage(new MyPipelineAppStage(this, "MyAppEU", StageProps.builder()
.env(Environment.builder()
.account("111111111111")
.region("eu-west-1")
.build())
.build()));
wave.addStage(new MyPipelineAppStage(this, "MyAppUS", StageProps.builder()
.env(Environment.builder()
.account("111111111111")
.region("us-west-1")
.build())
.build()));
C#
Testing deployments
You can add steps to a CDK Pipeline to validate the deployments you are performing. Using the CDK
Pipeline library's ShellStep, you can try to access a just-deployed Amazon API Gateway backed by
a Lambda function, for example, or issue an AWS CLI command to check some setting of a deployed
resource.
TypeScript
stage.addPost(new ShellStep("validate", {
commands: ['curl -Ssf https://my.webservice.com/'],
}));
JavaScript
Version 2
270
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
stage.addPost(new ShellStep("validate", {
commands: ['curl -Ssf https://my.webservice.com/'],
}));
Python
stage.add_post(ShellStep("validate",
commands=['curl -Ssf https://my.webservice.com/']
))
Java
stage.addPost(ShellStep.Builder.create("validate")
.commands(Arrays.asList("curl -Ssf https://my.webservice.com/"))
.build());
C#
Because many AWS CloudFormation deployments result in the generation of resources with
unpredictable names, CDK Pipelines provide a way to read AWS CloudFormation outputs after a
deployment. This makes it possible to pass (for example) the generated URL of a load balancer to a test
action.
To use outputs, expose the CfnOutput object you're interested in and pass it in a step's
envFromCfnOutputs property to make it available as an environment variable within that step.
TypeScript
JavaScript
Version 2
271
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
Python
Java
stage.addPost(ShellStep.Builder.create("lbaddr")
.envFromCfnOutputs( // Map.of requires Java 9 or later
java.util.Map.of("lbAddr", loadBalancerAddress))
.commands(Arrays.asList("echo $lbAddr"))
.build());
C#
You can write simple validation tests right in the ShellStep, but this approach becomes unwieldy when
the test is more than a few lines. For more complex tests, you can bring additional files (such as complete
shell scripts, or programs in other languages) into the ShellStep via the inputs property. The inputs
can be any step that has an output, including a source (such as a GitHub repo) or another ShellStep.
Bringing in files from the source repository is appropriate if the files are directly usable in the test (for
example, if they are themselves executable). In this example, we declare our GitHub repo as source
(rather than instantiating it inline as part of the CodePipeline), then pass this fileset to both the
pipeline and the validation test.
TypeScript
Version 2
272
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
stage.addPost(new ShellStep('validate', {
input: source,
commands: ['sh ./tests/validate.sh']
}));
JavaScript
stage.addPost(new ShellStep('validate', {
input: source,
commands: ['sh ./tests/validate.sh']
}));
Python
stage.add_post(ShellStep("validate", input=source,
commands=["curl -Ssf https://my.webservice.com/"],
))
Java
Version 2
273
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
stage.addPost(ShellStep.Builder.create("validate")
.input(source)
.commands(Arrays.asList("sh ./tests/validate.sh"))
.build());
C#
Getting the additional files from the synth step is appropriate if your tests need to be compiled, which is
done as part of synthesis.
TypeScript
Version 2
274
AWS Cloud Development Kit (CDK) v2 Developer Guide
Testing deployments
});
JavaScript
Python
synth_step = ShellStep("Synth",
input=CodePipelineSource.git_hub("OWNER/REPO", "main"),
commands=["npm install -g aws-cdk",
"python -m pip install -r requirements.txt",
"cdk synth"])
Java
Version 2
275
AWS Cloud Development Kit (CDK) v2 Developer Guide
Security notes
stage.addPost(ShellStep.Builder.create("validate")
.input(synth)
.commands(Arrays.asList("node ./tests/validate.js"))
.build());
C#
Security notes
Any form of continuous delivery has inherent security risks. Under the AWS Shared Responsibility Model,
you are responsible for the security of your information in the AWS cloud. The CDK Pipelines library gives
you a head start by incorporating secure defaults and modeling best practices, but by its very nature a
library that needs a high level of access to fulfill its intended purpose cannot assure complete security.
There are many attack vectors outside of AWS and your organization.
• Be mindful of the software you depend on. Vet all third-party software you run in your pipeline, as it
has the ability to change the infrastructure that gets deployed.
• Use dependency locking to prevent accidental upgrades. CDK Pipelines respects package-lock.json
and yarn.lock to ensure your dependencies are the ones you expect.
Version 2
276
AWS Cloud Development Kit (CDK) v2 Developer Guide
Troubleshooting
• Credentials for production environments should be short-lived. After bootstrapping and initial
provisioning, there is no need for developers to have account credentials at all; changes can be
deployed through the pipeline. Eliminate the possibility of credentials leaking by not needing them in
the first place!
Troubleshooting
The following issues are commonly encountered while getting started with CDK Pipelines.
Check your GitHub access token. It might be missing, or might not have the permissions to access
the repository.
Key: Policy contains a statement with one or more invalid principals
One of the target environments has not been bootstrapped with the new bootstrap stack. Make sure
all your target environments are bootstrapped.
Stack is in ROLLBACK_COMPLETE state and can not be updated.
The stack failed its previous deployment and is in a non-retryable state. Delete the stack from the
AWS CloudFormation console and retry the deployment.
Version 2
277
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK Toolkit
Topics
• AWS CDK Toolkit (cdk command) (p. 278)
• AWS Toolkit for Visual Studio Code (p. 296)
• SAM CLI (p. 296)
The AWS CDK Toolkit is installed with the Node Package Manager. In most cases, we recommend
installing it globally.
Tip
If you regularly work with multiple versions of the AWS CDK, you may want to install a matching
version of the AWS CDK Toolkit in individual CDK projects. To do this, omit -g from the npm
install command. Then use npx aws-cdk to invoke it; this will run the local version if one
exists, falling back to a global version if not.
Toolkit commands
All CDK Toolkit commands start with cdk, which is followed by a subcommand (list, synthesize,
deploy, etc.). Some subcommands have a shorter version (ls, synth, etc.) that is equivalent. Options
and arguments follow the subcommand in any order. The available commands are summarized here.
Command Function
cdk bootstrap Deploys the CDK Toolkit staging stack; see the
section called “Bootstrapping” (p. 180)
Version 2
278
AWS Cloud Development Kit (CDK) v2 Developer Guide
Specifying options and their values
Command Function
cdk docs (doc) Opens the CDK API reference in your browser
For the options available for each command, see the section called “Toolkit reference” (p. 290) or the
section called “Built-in help” (p. 279).
All options accept a value, which must follow the option name. The value may be separated from the
name by whitespace or by an equals sign =. The following two options are equivalent
--toolkit-stack-name MyBootstrapStack
--toolkit-stack-name=MyBootstrapStack
Some options are flags (Booleans). You may specify true or false as their value. If you do not provide a
value, the value is taken to be true. You may also prefix the option name with no- to imply false.
A few flags, namely --context, --parameters, --plugin, --tags, and --trust, may be specified
more than once to specify multiple values. These are noted as having [array] type in the CDK Toolkit
help. For example:
Built-in help
The AWS CDK Toolkit has integrated help. You can see general help about the utility and a list of the
provided subcommands by issuing:
cdk --help
Version 2
279
AWS Cloud Development Kit (CDK) v2 Developer Guide
Version reporting
To see help for a particular subcommand, for example deploy, specify it before the --help flag.
Issue cdk version to display the version of the AWS CDK Toolkit. Provide this information when
requesting support.
Version reporting
To gain insight into how the AWS CDK is used, the constructs used by AWS CDK applications are collected
and reported by using a resource identified as AWS::CDK::Metadata. This resource is added to AWS
CloudFormation templates, and can easily be reviewed. This information can also be used by AWS to
identify stacks using a construct with known security or reliability issues, and to contact their users with
important information.
Note
Prior to version 1.93.0, the AWS CDK reported the names and versions of the modules loaded
during synthesis, rather than the constructs used in the stack.
By default, the AWS CDK reports the use of constructs in the following NPM modules that are used in the
stack:
CDKMetadata:
Type: "AWS::CDK::Metadata"
Properties:
Analytics: "v2:deflate64:H4sIAND9SGAAAzXKSw5AMBAA0L1b2PdzBYnEAdio3RglglY60zQi7u6TWL/
XKmNUlxeQSOKwaPTBqrNhwEWU3hGHiCzK0dWWfAxoL/Fd8mvk+QkS/0X6BdjnCdgmOOQKWz
+AqqLDt2Y3YMnLYWwAAAA="
The Analytics property is a gzipped, base64-encoded, prefix-encoded list of the constructs present in
the stack.
• Use the cdk command with the --no-version-reporting argument to opt out for a single command.
Remember, the AWS CDK Toolkit synthesizes fresh templates before deploying, so you should also add
--no-version-reporting to cdk deploy commands.
• Set versionReporting to false in ./cdk.json or ~/.cdk.json. This opts out unless you opt in by
specifying --version-reporting on an individual command.
{
"app": "...",
"versionReporting": false
}
Version 2
280
AWS Cloud Development Kit (CDK) v2 Developer Guide
Specifying credentials and region
Credentials and region may be specified using environment variables or in configuration files. These are
the same variables and files used by other AWS tools such as the AWS CLI and the various AWS SDKs. The
CDK Toolkit looks for this information in the following order.
Note
The standard AWS config and credentials files are located at ~/.aws/config and
~/.aws/credentials (macOS/Linux) or %USERPROFILE%\.aws\config and %USERPROFILE
%\.aws\credentials (Windows).
The environment specified in your AWS CDK app using the stack's env property is used during synthesis
to generate an environment-specific AWS CloudFormation template and during deployment to override
the account or region specified by one of the above methods. For more information, see the section
called “Environments” (p. 97).
If you have the AWS CLI installed, the easiest way to configure your account credentials and a default
region is to issue the following command:
aws configure
Provide your AWS access key ID, secret access key, and default region when prompted. These values are
written to the [default] section of the config and credentials files.
If you don't have the AWS CLI installed, you can manually create or edit the config and credentials
files to contain default credentials and a default region, in the following format.
• In ~/.aws/config or %USERPROFILE%\.aws\config
[default]
region=us-west-2
• In ~/.aws/credentials or %USERPROFILE%\.aws\credentials
[default]
aws_access_key_id=AKIAI44QH8DHBEXAMPLE
aws_secret_access_key=je7MtGbClwBF/2Zp9Utk/h3yCo8nvbEXAMPLEKEY
Besides specifying AWS credentials and a region in the [default] section, you can also add one or more
[profile NAME] sections, where NAME is the name of the profile.
• In ~/.aws/config or %USERPROFILE%\.aws\config
Version 2
281
AWS Cloud Development Kit (CDK) v2 Developer Guide
Specifying the app command
[profile test]
region=us-east-1
[profile prod]
region=us-west-1
• In ~/.aws/credentials or %USERPROFILE%\.aws\credentials
[profile test]
aws_access_key_id=AKIAI44QH8DHBEXAMPLE
aws_secret_access_key=je7MtGbClwBF/2Zp9Utk/h3yCo8nvbEXAMPLEKEY
[profile test]
aws_access_key_id=AKIAI44QH8DHBEXAMPLE
aws_secret_access_key=je7MtGbClwBF/2Zp9Utk/h3yCo8nvbEXAMPLEKEY
Always add named profiles to both the config and credentials files. The AWS CDK Toolkit does not
fall back to using the region in the [default] section when the specified named profile is not found in
the config file, as some other AWS tools do.
Important
Do not name a profile default: that is, do not use a [profile default] section in either
config or credentials.
Note
Although the AWS CDK uses credentials from the same sources files as other AWS tools and
SDKs, including the AWS Command Line Interface, it may behave slightly differently from these
tools. See Setting credentials for complete details on setting up credentials for the AWS SDK for
JavaScript, which the AWS CDK uses under the hood.
You may optionally use the --role-arn (or -r) option to specify the ARN of an IAM role that should be
used for deployment. This role must be assumable by the AWS account being used.
First, and most commonly, it can be specified using the app key inside the file cdk.json, which is
in the main directory of your AWS CDK project. The CDK Toolkit provides an appropriate command
when creating a new project with cdk init. Here is the cdk.json from a fresh TypeScript project, for
instance.
{
"app": "npx ts-node bin/hello-cdk.ts"
}
The CDK Toolkit looks for cdk.json in the current working directory when attempting to run your app,
so you might keep a shell open in your project's main directory for issuing CDK Toolkit commands.
The CDK Toolkit also looks for the app key in ~/.cdk.json (that is, in your home directory) if it can't
find it in ./cdk.json. Adding the app command here can be useful if you usually work with CDK code
in the same language, as it does not require you to be in the app's main directory when you run a cdk
command.
Version 2
282
AWS Cloud Development Kit (CDK) v2 Developer Guide
Specifying stacks
If you are in some other directory, or if you want to run your app via a command other than the one in
cdk.json, you can use the --app (or -a) option to specify it.
Specifying stacks
Many CDK Toolkit commands (for example, cdk deploy) work on stacks defined in your app. If your
app contains only one stack, the CDK Toolkit assumes you mean that one if you don't specify a stack
explicitly.
Otherwise, you must specify the stack or stacks you want to work with. You can do this by specifying
the desired stacks by ID individually on the command line. Recall that the ID is the value specified by the
second argument when you instantiate the stack.
You may also use wildcards to specify IDs that match a pattern.
You may also use the --all option to specify all stacks.
If your app uses CDK Pipelines (p. 255), the CDK Toolkit understands your stacks and stages as a
hierarchy, and the --all option and the * wildcard only match top-level stacks. To match all the stacks,
use **. Also use ** to indicate all the stacks under a particular hierarchy.
When using wildcards, enclose the pattern in quotes, or escape the wildcards with \. If you don't, your
shell may try to expand the pattern to the names of files in the current directory. At best, this won't do
what you expect; at worst, you could deploy stacks you didn't intend to. This isn't strictly necessary on
Windows because cmd.exe does not expand wildcards, but is good practice nonetheless.
Note
The order in which you specify the stacks is not necessarily the order in which they will be
processed. The AWS CDK Toolkit takes into account dependencies between stacks when deciding
the order in which to process them. For example, if one stack uses a value produced by another
(such as the ARN of a resource defined in the second stack), the second stack is synthesized
before the first one because of this dependency. You can add dependencies between stacks
manually using the stack's addDependency() method.
Version 2
283
AWS Cloud Development Kit (CDK) v2 Developer Guide
Creating a new app
cdk bootstrap
If issued with no arguments, as shown here, the cdk bootstrap command synthesizes the current app
and bootstraps the environments its stacks will be deployed to. If the app contains environment-agnostic
stacks, which do not explicitly specify an environment so they can be deployed anywhere, the default
account and region are bootstrapped, or the environment specified using --profile.
Outside of an app, you must explicitly specify the environment to be bootstrapped. You may also do
so to bootstrap an environment that's not specified in your app or local AWS profile. Credentials must
be configured (e.g. in ~/.aws/credentials) for the specified account and region. You may specify a
profile that contains the required credentials.
Important
Each environment (account/region combination) to which you deploy such a stack must be
bootstrapped separately.
You may incur AWS charges for what the AWS CDK stores in the bootstrapped resources. Additionally, if
you use -bootstrap-customer-key, a Customer Master Key (CMK) will be created, which also incurs
charges per environment.
Note
Older versions of the bootstrap template created a Customer Master Key by default. To avoid
charges, re-bootstrap using --no-bootstrap-customer-key.
Note
CDK Toolkit v2 does not support the original bootstrap template, dubbed the legacy template,
used with CDK v1.
Important
The modern bootstrap template effectively grants the permissions implied by the --
cloudformation-execution-policies to any AWS account in the --trust list, which by
default will extend permissions to read and write to any resource in the bootstrapped account.
Make sure to configure the bootstrapping stack (p. 183) with policies and trusted accounts you
are comfortable with.
mkdir my-cdk-app
cd my-cdk-app
cdk init TEMPLATE --language LANGUAGE
Code Language
typescript TypeScript
javascript JavaScript
python Python
java Java
Version 2
284
AWS Cloud Development Kit (CDK) v2 Developer Guide
Listing stacks
Code Language
csharp C#
TEMPLATE is an optional template. If the desired template is app, the default, you may omit it. The
available templates are:
Template Description
The templates use the name of the project folder to generate names for files and classes inside your new
app.
Listing stacks
To see a list of the IDs of the stacks in your AWS CDK application, enter one of the following equivalent
commands:
cdk list
cdk ls
If your application contains CDK Pipelines (p. 255) stacks, the CDK Toolkit displays stack names as paths
according to their location in the pipeline hierarchy (e.g., PipelineStack, PipelineStack/Prod,
PipelineStack/Prod/MyService, etc).
If your app contains many stacks, you can specify full or partial stack IDs of the stacks to be listed; see
the section called “Specifying stacks” (p. 283).
Add the --long flag to see more information about the stacks, including the stack names and their
environments (AWS account and region).
Synthesizing stacks
The cdk synthesize command (almost always abbreviated synth) synthesizes a stack defined in your
app into a CloudFormation template.
Note
The CDK Toolkit actually runs your app and synthesizes fresh templates before most operations
(e.g. when deploying or comparing stacks). These templates are stored by default in the
cdk.out directory. The cdk synth command simply prints the generated templates for the
specified stack(s).
See cdk synth --help for all available options. A few of the most-frequently-used options are
covered below.
Version 2
285
AWS Cloud Development Kit (CDK) v2 Developer Guide
Deploying stacks
When deploying multiple stacks, the specified context values are normally passed to all of them. If you
wish, you may specify different values for each stack by prefixing the stack name to the context value.
Deploying stacks
The cdk deploy subcommand deploys the specified stack(s) to your AWS account.
Note
The CDK Toolkit runs your app and synthesizes fresh AWS CloudFormation templates before
deploying anything. Therefore, most command line options you can use with cdk synth (for
example, --context) can also be used with cdk deploy.
See cdk deploy --help for all available options. A few of the most-frequently-used options are
covered below.
Disabling rollback
One of AWS CloudFormation's marquee features is its ability to roll back changes so that deployments
are atomic—they either succeed or fail as a whole. The AWS CDK inherits this capability because it
synthesizes and deploys AWS CloudFormation templates.
Rollback makes sure your resources are in a consistent state at all times, which is vital for production
stacks. However, while you're still developing your infrastructure, some failures are inevitable, and rolling
back failed deployments just slows you down.
Version 2
286
AWS Cloud Development Kit (CDK) v2 Developer Guide
Deploying stacks
For this reason, the CDK Toolkit; allows you to disable rollback by adding --no-rollback to your cdk
deploy command. With this flag, failed deployments are not rolled back. Instead, resources deployed
before the failed resource remain in place, and the next deployment starts with the failed resource. You'll
spend a lot less time waiting for deployments and a lot more time developing your infrastructure.
Hot swapping
Use the --hotswap flag with cdk deploy to attempt to update your AWS resources directly instead
of generating a AWS CloudFormation changeset and deploying it. Deployment falls back to AWS
CloudFormation deployment if hot swapping is not possible.
Currently hot swapping supports Lambda functions, Step Functions state machines, and Amazon ECS
container images. The --hotswap flag also disables rollback (i.e., implies --no-rollback).
Important
Hot-swapping is not recommended for production deployments.
Watch mode
The CDK Toolkit's watch mode ( cdk deploy --watch, or cdk watch for short) continuously monitors your
CDK app's source files and assets for changes and immediately performs a deployment of the specified
stacks when a change is detected.
By default, these deployments use the --hotswap flag, which fast-tracks deployment of changes
to Lambda functions, and falls back to deploying through AWS CloudFormation if you have changed
infrastructure configuration. To have cdk watch always perform full AWS CloudFormation
deployments, add the --no-hotswap flag to cdk watch.
Any changes made while cdk watch is already performing a deployment will be combined into a single
deployment, which will begin as soon as the in-progress deployment is complete.
Watch mode uses the "watch" key in the project's cdk.json to determine which files to monitor.
By default, these files are your application files and assets, but this can be changed by modifying the
"include" and "exclude" entries in the "watch" key.
cdk watch executes the "build" command from cdk.json to build your app before synthesis. If your
deployment requires any commands to build or package your Lambda code (or anything else that's not in
your CDK app proper), add it here.
Wildcards, both * and **, can be used in the "watch" and "build" keys. Each path is interpreted
relative to the parent directory of cdk.json.
Important
Watch mode is not recommended for production deployments.
Version 2
287
AWS Cloud Development Kit (CDK) v2 Developer Guide
Comparing stacks
If you are deploying multiple stacks, you can specify a different value of each parameter for each stack
by prefixing the name of the parameter with the stack name and a colon. Otherwise, the same value is
passed to all stacks.
By default, the AWS CDK retains values of parameters from previous deployments and uses them in later
deployments if they are not specified explicitly. Use the --no-previous-parameters flag to require
all parameters to be specified.
Security-related changes
To protect you against unintended changes that affect your security posture, the AWS CDK Toolkit
prompts you to approve security-related changes before deploying them. You can specify the level of
change that requires approval:
Term Meaning
{
"app": "...",
"requireApproval": "never"
}
Comparing stacks
The cdk diff command compares the current version of a stack defined in your app with the already-
deployed version, or with a saved AWS CloudFormation template, and displays a list of changes .
Stack HelloCdkStack
Version 2
288
AWS Cloud Development Kit (CDK) v2 Developer Guide
Comparing stacks
Parameters
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/S3Bucket
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392S3BucketBF7A7F3F:
{"Type":"String","Description":"S3 bucket for asset
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/
S3VersionKey
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392S3VersionKeyFAF93626:
{"Type":"String","Description":"S3 key for asset version
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
[+] Parameter
AssetParameters/4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392/
ArtifactHash
AssetParameters4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392ArtifactHashE56CD69A:
{"Type":"String","Description":"Artifact hash for asset
\"4cd61014b71160e8c66fe167e43710d5ba068b80b134e9bd84508cf9238b2392\""}
Resources
[+] AWS::S3::BucketPolicy MyFirstBucket/Policy MyFirstBucketPolicy3243DEFD
[+] Custom::S3AutoDeleteObjects MyFirstBucket/AutoDeleteObjectsCustomResource
MyFirstBucketAutoDeleteObjectsCustomResourceC52FCF6E
[+] AWS::IAM::Role Custom::S3AutoDeleteObjectsCustomResourceProvider/Role
CustomS3AutoDeleteObjectsCustomResourceProviderRole3B1BD092
[+] AWS::Lambda::Function Custom::S3AutoDeleteObjectsCustomResourceProvider/Handler
CustomS3AutoDeleteObjectsCustomResourceProviderHandler9D90184F
[~] AWS::S3::Bucket MyFirstBucket MyFirstBucketB8884501
## [~] DeletionPolicy
# ## [-] Retain
# ## [+] Delete
## [~] UpdateReplacePolicy
Version 2
289
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
## [-] Retain
## [+] Delete
Toolkit reference
This section provides a reference for the AWS CDK Toolkit derived from its help, first a general reference
with the options available with all commands, then (in collapsible sections) specific references with
options available only with specific subcommands.
Commands:
cdk list [STACKS..] Lists all stacks in the app [aliases: ls]
cdk bootstrap [ENVIRONMENTS..] Deploys the CDK toolkit stack into an AWS
environment
cdk deploy [STACKS..] Deploys the stack(s) named STACKS into your
AWS account
cdk diff [STACKS..] Compares the specified stack with the deployed
stack or a local template file, and returns
with status 1 if any difference is found
Options:
Version 2
290
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
-p, --plugin Name or path of a node package that extend the CDK
features. Can be specified multiple times [array]
-j, --json Use JSON output instead of YAML when templates are
printed to STDOUT [boolean] [default: false]
Version 2
291
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
If your app has a single stack, there is no need to specify the stack name
Options:
Options:
cdk bootstrap
Options:
Version 2
292
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
cdk deploy
Options:
-E, --build-exclude Do not rebuild asset with the given ID. Can be
Version 2
293
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
cdk destroy
Options:
Version 2
294
AWS Cloud Development Kit (CDK) v2 Developer Guide
Toolkit reference
cdk diff
Compares the specified stack with the deployed stack or a local template file,
and returns with status 1 if any difference is found
Options:
cdk init
Options:
-l, --language The language to be used for the new project (default
can be configured in ~/.cdk.json)
[string] [choices: "csharp", "fsharp", "go", "java", "javascript", "python",
"typescript"]
cdk context
cdk context
Options:
-e, --reset The context key (or its index) to reset [string]
Version 2
295
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS Toolkit for VS Code
SAM CLI
This topic describes how to use the AWS SAM CLI with the AWS CDK to test a Lambda function locally.
For further information, see Invoking Functions Locally. To install the SAM CLI, see Installing the AWS
SAM CLI.
Note
Full AWS CDK integration with the AWS SAM CLI is currently in public preview. This integration
allows you to locally test and build serverless application defined using the CDK. For more
information, see AWS Cloud Development Kit (CDK) in the AWS SAM Developer Guide.
The instructions here apply to the current (non-preview) version of the AWS SAM CLI.
1. The first step is to create a AWS CDK application and add the Lambda package.
mkdir cdk-sam-example
cd cdk-sam-example
cdk init app --language typescript
mkdir my_function
6. Run your AWS CDK app and create a AWS CloudFormation template
Version 2
296
AWS Cloud Development Kit (CDK) v2 Developer Guide
SAM CLI
7. Find the logical ID for your Lambda function in template.yaml. It will look like
MyFunction12345678, where 12345678 represents an 8-character unique ID that the AWS CDK
generates for all resources. The line right after it should look like:
Type: AWS::Lambda::Function
Version 2
297
AWS Cloud Development Kit (CDK) v2 Developer Guide
Getting started
Testing constructs
With the AWS CDK, your infrastructure can be as testable as any other code you write. This article
illustrates the standard approach to testing AWS CDK apps using the AWS CDK's assertions module and
popular test frameworks such as Jest for TypeScript and JavaScript or Pytest for Python.
There are two categories of tests you can write for AWS CDK apps.
• Fine-grained assertions test specific aspects of the generated AWS CloudFormation template, such as
"this resource has this property with this value." These tests can detect regressions, and are also useful
when you're developing new features using test-driven development (write a test first, then make it
pass by writing a correct implementation). Fine-grained assertions are the tests you'll write the most
of.
• Snapshot tests test the synthesized AWS CloudFormation template against a previously-stored
baseline template or "master." Snapshot tests let you refactor freely, since you can be sure that the
refactored code works exactly the same way as the original. If the changes were intentional, you can
accept a new baseline for future tests. However, CDK upgrades can also cause synthesized templates to
change, so you can't rely only on snapshots to make sure your implementation is correct.
Note
Complete versions of the TypeScript, Python, and Java apps used as examples in this topic are
available on GitHub.
Getting started
To illustrate how to write these tests, we'll create a stack that contains an AWS Step Functions state
machine and a AWS Lambda function. The Lambda function is subscribed to an Amazon SNS topic and
simply forwards the message to the state machine.
First, create an empty CDK application project using the CDK Toolkit and installing the libraries we'll
need. The constructs we'll use are all in the main CDK package, which is a default dependency in projects
created with the CDK Toolkit, but you'll need to install your testing framework.
TypeScript
mkdir test
Edit the project's package.json to tell NPM how to run Jest, and to tell Jest what kinds of files to
collect. The necessary changes are as follows.
These changes are shown in outline below. Place the new text where indicated in package.json.
The "..." placeholders indicate existing parts of the file that should not be changed.
Version 2
298
AWS Cloud Development Kit (CDK) v2 Developer Guide
Getting started
{
...
"scripts": {
...
"test": "jest"
},
"devDependencies": {
...
"@types/jest": "^24.0.18",
"jest": "^24.9.0"
},
"jest": {
"moduleFileExtensions": ["js"]
}
}
JavaScript
mkdir test
Edit the project's package.json to tell NPM how to run Jest, and to tell Jest what kinds of files to
collect. The necessary changes are as follows.
These changes are shown in outline below. Place the new text where indicated in package.json.
The "..." placeholders indicate existing parts of the file that s.hould not be changed.
{
...
"scripts": {
...
"test": "jest"
},
"devDependencies": {
...
"jest": "^24.9.0"
},
"jest": {
"moduleFileExtensions": ["js"]
}
}
Python
Version 2
299
AWS Cloud Development Kit (CDK) v2 Developer Guide
The example stack
Java
Open the project in your preferred Java IDE. (In Eclipse, use File > Import > Existing Maven Projects.)
C#
Right-click the solution in Solution Explorer and choose Add > New Project. Search for MSTest C#
and add an MSTest Test Project for C#. (The default name TestProject1is fine.)
Right-click TestProject1 and choose Add > Project Reference, and add the StateMachine
project as a reference.
You don't have to do anything special to make the app testable. In fact, this CDK stack is not different in
any important way from the other example stacks in this Guide.
TypeScript
Version 2
300
AWS Cloud Development Kit (CDK) v2 Developer Guide
The example stack
STATE_MACHINE_ARN: stateMachine.stateMachineArn,
},
});
stateMachine.grantStartExecution(func);
JavaScript
module.exports = { ProcessorStack }
Python
Version 2
301
AWS Cloud Development Kit (CDK) v2 Developer Guide
The example stack
class ProcessorStack(cdk.Stack):
def __init__(
self,
scope: cdk.Construct,
construct_id: str,
*,
topics: List[sns.Topic],
**kwargs
) -> None:
super().__init__(scope, construct_id, **kwargs)
subscription = sns_subscriptions.LambdaSubscription(func)
for topic in topics:
topic.add_subscription(subscription)
Java
package software.amazon.samples.awscdkassertionssamples;
import software.constructs.Construct;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.StackProps;
import software.amazon.awscdk.services.lambda.Code;
import software.amazon.awscdk.services.lambda.Function;
import software.amazon.awscdk.services.lambda.Runtime;
import software.amazon.awscdk.services.sns.ITopicSubscription;
import software.amazon.awscdk.services.sns.Topic;
import software.amazon.awscdk.services.sns.subscriptions.LambdaSubscription;
import software.amazon.awscdk.services.stepfunctions.Pass;
import software.amazon.awscdk.services.stepfunctions.StateMachine;
import java.util.Collections;
import java.util.List;
Version 2
302
AWS Cloud Development Kit (CDK) v2 Developer Guide
The example stack
C#
using Amazon.CDK;
using Amazon.CDK.AWS.Lambda;
using Amazon.CDK.AWS.StepFunctions;
using Amazon.CDK.AWS.SNS;
using Amazon.CDK.AWS.SNS.Subscriptions;
using Constructs;
using System.Collections.Generic;
namespace AwsCdkAssertionSamples
{
public class StateMachineStackProps : StackProps
{
public Topic[] Topics;
}
Version 2
303
AWS Cloud Development Kit (CDK) v2 Developer Guide
The example stack
{
var subscription = new LambdaSubscription(func);
}
}
}
}
We'll modify the app's main entry point to not actually instantiate our stack, since we don't want to
accidentally deploy it. Our tests will create an app and an instance of the stack for testing. This is a useful
tactic when combined with test-driven development: make sure the stack passes all tests before you
enable deployment.
TypeScript
In bin/state-machine.ts:
#!/usr/bin/env node
import * as cdk from "aws-cdk-lib";
// Stacks are intentionally not created here -- this application isn't meant to
// be deployed.
JavaScript
In bin/state-machine.js:
#!/usr/bin/env node
const cdk = require("aws-cdk-lib");
// Stacks are intentionally not created here -- this application isn't meant to
// be deployed.
Python
In app.py:
#!/usr/bin/env python3
import os
app = cdk.App()
# Stacks are intentionally not created here -- this application isn't meant to
# be deployed.
app.synth()
Java
package software.amazon.samples.awscdkassertionssamples;
import software.amazon.awscdk.App;
Version 2
304
AWS Cloud Development Kit (CDK) v2 Developer Guide
Running tests
// Stacks are intentionally not created here -- this application isn't meant to
be deployed.
app.synth();
}
}
C#
using Amazon.CDK;
namespace AwsCdkAssertionSamples
{
sealed class Program
{
public static void Main(string[] args)
{
var app = new App();
app.Synth();
}
}
}
Running tests
For reference, here are the commands you use to run tests in your AWS CDK app. These are the same
commands you'd use to run the tests in any project using the same testing framework. For languages
that require a build step, include that to make sure your tests have been compiled.
TypeScript
JavaScript
npm test
Python
python -m pytest
Java
C#
Build your solution (F6) to discover the tests, then run the tests (Test > Run All Tests). To choose
which tests to run, open Test Explorer (Test > Test Explorer).
Version 2
305
AWS Cloud Development Kit (CDK) v2 Developer Guide
Fine-grained assertions
Or:
Fine-grained assertions
The first step for testing a stack with fine-grained assertions is to synthesize the stack, because we're
writing assertions against the generated AWS CloudFormation template.
Our ProcessorStack requires that we pass it the Amazon SNS topic to be forwarded to the state
machine. So in our test, we'll create a separate stack to contain the topic.
Ordinarily, if you were writing a CDK app, you'd subclass Stack and instantiate the Amazon SNS topic
in the stack's constructor. In our test, we instantiate Stack directly, then pass this stack as the Topic's
scope, attaching it to the stack. This is functionally equivalent, less verbose, and helps make stacks used
only in tests "look different" from stacks you intend to deploy.
TypeScript
describe("ProcessorStack", () => {
test("synthesizes the way we expect", () => {
const app = new cdk.App();
JavaScript
describe("ProcessorStack", () => {
test("synthesizes the way we expect", () => {
const app = new cdk.App();
Version 2
306
AWS Cloud Development Kit (CDK) v2 Developer Guide
Fine-grained assertions
Python
def test_synthesizes_properly():
app = cdk.App()
Java
package software.amazon.samples.awscdkassertionssamples;
import org.junit.jupiter.api.Test;
import software.amazon.awscdk.assertions.Capture;
import software.amazon.awscdk.assertions.Match;
import software.amazon.awscdk.assertions.Template;
import software.amazon.awscdk.App;
import software.amazon.awscdk.Stack;
import software.amazon.awscdk.services.sns.Topic;
import java.util.*;
Version 2
307
AWS Cloud Development Kit (CDK) v2 Developer Guide
Fine-grained assertions
C#
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Amazon.CDK;
using Amazon.CDK.AWS.SNS;
using Amazon.CDK.Assertions;
using AwsCdkAssertionSamples;
namespace TestProject1
{
[TestClass]
public class ProcessorStackTest
{
[TestMethod]
public void TestMethod1()
{
var app = new App();
Version 2
308
AWS Cloud Development Kit (CDK) v2 Developer Guide
Fine-grained assertions
Now we can assert that the Lambda function and the Amazon SNS subscription were created.
TypeScript
JavaScript
Python
# Assert that we have created the function with the correct properties
template.has_resource_properties(
"AWS::Lambda::Function",
{
"Handler": "handler",
"Runtime": "nodejs14.x",
},
)
Java
C#
Version 2
309
AWS Cloud Development Kit (CDK) v2 Developer Guide
Matchers
Our Lambda function test asserts that two particular properties of the function resource have specific
values. By default, the hasResourceProperties method performs a partial match on the resource's
properties as given in the synthesized CloudFormation template. This test requires that the provided
properties exist and have the specified values, but the resource can also have other properties, and these
are not tested.
Our Amazon SNS assertion asserts that the synthesized template contains a subscription, but nothing
about the subscription itself. We included this assertion mainly to illustrate how to assert on resource
counts. The Template class offers more specific methods to write assertions against the Resources,
Outputs, and Mapping sections of the CloudFormation template.
Matchers
The default partial matching behavior of hasResourceProperties can be changed using matchers
from the Match class.
Matchers range from the very lenient (Match.anyValue) to the quite strict (Match.objectEquals),
and can be nested to apply different matching methods to different parts of the resource properties.
Using Match.objectEquals and Match.anyValue together, for example, we can test the state
machine's IAM role more fully, while not requiring specific values for properties that may change.
TypeScript
JavaScript
Version 2
310
AWS Cloud Development Kit (CDK) v2 Developer Guide
Matchers
"AWS::IAM::Role",
Match.objectEquals({
AssumeRolePolicyDocument: {
Version: "2012-10-17",
Statement: [
{
Action: "sts:AssumeRole",
Effect: "Allow",
Principal: {
Service: {
"Fn::Join": [
"",
["states.", Match.anyValue(), ".amazonaws.com"],
],
},
},
},
],
},
})
);
Python
Java
Version 2
311
AWS Cloud Development Kit (CDK) v2 Developer Guide
Matchers
"Effect", "Allow",
"Principal", Collections.singletonMap(
"Service", Collections.singletonMap(
"Fn::Join", Arrays.asList(
"",
Arrays.asList("states.",
Match.anyValue(), ".amazonaws.com")
)
)
)
))
))
));
C#
Many CloudFormation resources include serialized JSON objects represented as strings. The
Match.serializedJson() matcher can be used to match properties inside this JSON. For example,
Step Functions state machines are defined using a string in the JSON-based Amazon States Language.
We'll use Match.serializedJson() to make sure our initial state is the only step, again using nested
matchers to apply different kinds of matching to different parts of the object.
TypeScript
Version 2
312
AWS Cloud Development Kit (CDK) v2 Developer Guide
Matchers
template.hasResourceProperties("AWS::StepFunctions::StateMachine", {
DefinitionString: Match.serializedJson(
// Match.objectEquals() is used implicitly, but we use it explicitly
// here for extra clarity.
Match.objectEquals({
StartAt: "StartState",
States: {
StartState: {
Type: "Pass",
End: true,
// Make sure this state doesn't provide a next state -- we can't
// provide both Next and set End to true.
Next: Match.absent(),
},
},
})
),
});
JavaScript
Python
Version 2
313
AWS Cloud Development Kit (CDK) v2 Developer Guide
Capturing
),
},
)
Java
C#
Capturing
It's often useful to test properties to make sure they follow specific formats, or have the same value as
another property, without needing to know their exact values ahead of time. The assertions module
provides this capability in its Capture class.
Version 2
314
AWS Cloud Development Kit (CDK) v2 Developer Guide
Capturing
For example, this example tests to make sure that the starting state of our state machine has a name
beginning with Start and also that this state is actually present within the list of states in the machine.
TypeScript
// Assert that the start state actually exists in the states object of the
// state machine definition.
expect(statesCapture.asObject()).toHaveProperty(startAtCapture.asString());
JavaScript
// Assert that the start state actually exists in the states object of the
// state machine definition.
expect(statesCapture.asObject()).toHaveProperty(startAtCapture.asString());
Python
import re
# ...
Version 2
315
AWS Cloud Development Kit (CDK) v2 Developer Guide
Capturing
template.has_resource_properties(
"AWS::StepFunctions::StateMachine",
{
"DefinitionString": Match.serialized_json(
Match.object_like(
{
"StartAt": start_at_capture,
"States": states_capture,
}
)
),
},
)
# Assert that the start state actually exists in the states object of the
# state machine definition.
assert start_at_capture.as_string() in states_capture.as_object()
Java
// Assert that the start state actually exists in the states object of the
state machine definition.
assertThat(statesCapture.asObject()).containsKey(startAtCapture.asString());
C#
Assert.IsTrue(startAtCapture.ToString().StartsWith("Start"));
Assert.IsTrue(statesCapture.AsObject().ContainsKey(startAtCapture.ToString()));
Version 2
316
AWS Cloud Development Kit (CDK) v2 Developer Guide
Snapshot tests
Snapshot tests
In snapshot testing, you compare the entire synthesized CloudFormation template against a previously-
stored master. This isn't useful in catching regressions, as fine-grained assertions are, because it applies
to the entire template, and things besides code changes can cause small (or not-so-small) differences
in synthesis results. For example, we may update a CDK construct to incorporate a new best practice,
which can cause changes to the synthesized resources or how they're organized, or we might update the
CDK Toolkit to report additional metadata. Changes to context values can also affect the synthesized
template.
Snapshot tests can be of great help in refactoring, though, as long as you hold constant all other factors
that might affect the synthesized template. You will know immediately if a change you made has
unintentionally changed the template. If the change is intentional, simply accept a new master and
proceed.
TypeScript
JavaScript
constructor(scope, id) {
super(scope, id);
module.exports = { DeadLetterQueue }
Python
class DeadLetterQueue(sqs.Queue):
def __init__(self, scope: Construct, id: str):
super().__init__(scope, id)
Version 2
317
AWS Cloud Development Kit (CDK) v2 Developer Guide
Snapshot tests
self.messages_in_queue_alarm = cloudwatch.Alarm(
self,
"Alarm",
alarm_description="There are messages in the Dead Letter Queue.",
evaluation_periods=1,
threshold=1,
metric=self.metric_approximate_number_of_messages_visible(),
)
Java
C#
namespace AwsCdkAssertionSamples
{
public class DeadLetterQueue : Queue
{
public IAlarm messagesInQueueAlarm;
TypeScript
describe("DeadLetterQueue", () => {
test("creates an alarm", () => {
Version 2
318
AWS Cloud Development Kit (CDK) v2 Developer Guide
Snapshot tests
JavaScript
describe("DeadLetterQueue", () => {
test("creates an alarm", () => {
const stack = new cdk.Stack();
new DeadLetterQueue(stack, "DeadLetterQueue");
Python
def test_creates_alarm():
stack = cdk.Stack()
DeadLetterQueue(stack, "DeadLetterQueue")
template = Template.from_stack(stack)
template.has_resource_properties(
"AWS::CloudWatch::Alarm",
{
"Namespace": "AWS/SQS",
"MetricName": "ApproximateNumberOfMessagesVisible",
"Dimensions": [
{
"Name": "QueueName",
"Value": Match.any_value(),
},
Version 2
319
AWS Cloud Development Kit (CDK) v2 Developer Guide
Snapshot tests
],
},
)
Java
package software.amazon.samples.awscdkassertionssamples;
import org.junit.jupiter.api.Test;
import software.amazon.awscdk.assertions.Match;
import software.amazon.awscdk.assertions.Template;
import software.amazon.awscdk.Stack;
import java.util.Collections;
import java.util.Map;
C#
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Amazon.CDK;
using Amazon.CDK.Assertions;
using AwsCdkAssertionSamples;
namespace TestProject1
{
[TestClass]
public class ProcessorStackTest
[TestClass]
public class DeadLetterQueueTest
{
[TestMethod]
public void TestCreatesAlarm()
{
var stack = new Stack();
new DeadLetterQueue(stack, "DeadLetterQueue");
Version 2
320
AWS Cloud Development Kit (CDK) v2 Developer Guide
Tips for tests
Don't try to do too much in one test. Preferably, a test should test one and only one behavior. If you
accidentally break that behavior, exactly one test should fail, and the name of the test should tell you
exactly what failed. This is more an ideal to be striven for, however; sometimes you will unavoidably (or
inadvertently) write tests that test more than one behavior. Snapshot tests are, for reasons we've already
described, especially prone to this problem, so use them sparingly.
Version 2
321
AWS Cloud Development Kit (CDK) v2 Developer Guide
Identity and access management
Security of the Cloud – AWS is responsible for protecting the infrastructure that runs all of the services
offered in the AWS Cloud and providing you with services that you can use securely. Our security
responsibility is the highest priority at AWS, and the effectiveness of our security is regularly tested and
verified by third-party auditors as part of the AWS Compliance Programs.
Security in the Cloud – Your responsibility is determined by the AWS service you are using, and other
factors including the sensitivity of your data, your organization's requirements, and applicable laws and
regulations.
The AWS CDK follows the shared responsibility model through the specific Amazon Web Services (AWS)
services it supports. For AWS service security information, see the AWS service security documentation
page and AWS services that are in scope of AWS compliance efforts by compliance program.
Topics
• Identity and access management for the AWS Cloud Development Kit (AWS CDK) (p. 322)
• Compliance validation for the AWS Cloud Development Kit (AWS CDK) (p. 323)
• Resilience for the AWS Cloud Development Kit (AWS CDK) (p. 323)
• Infrastructure security for the AWS Cloud Development Kit (AWS CDK) (p. 324)
To use the AWS CDK to access AWS, you need an AWS account and AWS credentials. To increase the
security of your AWS account, we recommend that you use an IAM user to provide access credentials
instead of using your AWS account credentials.
For details about working with IAM, see AWS Identity and Access Management.
For an overview of IAM users and why they are important for the security of your account, see AWS
Security Credentials in the Amazon Web Services General Reference.
The AWS CDK follows the shared responsibility model through the specific Amazon Web Services (AWS)
services it supports. For AWS service security information, see the AWS service security documentation
page and AWS services that are in scope of AWS compliance efforts by compliance program.
Version 2
322
AWS Cloud Development Kit (CDK) v2 Developer Guide
Compliance validation
The security and compliance of AWS services is assessed by third-party auditors as part of multiple AWS
compliance programs. These include SOC, PCI, FedRAMP, HIPAA, and others. AWS provides a frequently
updated list of AWS services in scope of specific compliance programs at AWS Services in Scope by
Compliance Program.
Third-party audit reports are available for you to download using AWS Artifact. For more information,
see Downloading Reports in AWS Artifact.
For more information about AWS compliance programs, see AWS Compliance Programs.
Your compliance responsibility when using the AWS CDK to access an AWS service is determined by the
sensitivity of your data, your organization's compliance objectives, and applicable laws and regulations. If
your use of an AWS service is subject to compliance with standards such as HIPAA, PCI, or FedRAMP, AWS
provides resources to help:
• Security and Compliance Quick Start Guides – Deployment guides that discuss architectural
considerations and provide steps for deploying security-focused and compliance-focused baseline
environments on AWS.
• Architecting for HIPAA Security and Compliance Whitepaper – A whitepaper that describes how
companies can use AWS to create HIPAA-compliant applications.
• AWS Compliance Resources – A collection of workbooks and guides that might apply to your industry
and location.
• AWS Config – A service that assesses how well your resource configurations comply with internal
practices, industry guidelines, and regulations.
• AWS Security Hub – A comprehensive view of your security state within AWS that helps you check your
compliance with security industry standards and best practices.
AWS Regions provide multiple physically separated and isolated Availability Zones, which are connected
with low-latency, high-throughput, and highly redundant networking.
With Availability Zones, you can design and operate applications and databases that automatically fail
over between Availability Zones without interruption. Availability Zones are more highly available, fault
tolerant, and scalable than traditional single or multiple data center infrastructures.
For more information about AWS Regions and Availability Zones, see AWS Global Infrastructure.
The AWS CDK follows the shared responsibility model through the specific Amazon Web Services (AWS)
services it supports. For AWS service security information, see the AWS service security documentation
page and AWS services that are in scope of AWS compliance efforts by compliance program.
Version 2
323
AWS Cloud Development Kit (CDK) v2 Developer Guide
Infrastructure security
Version 2
324
AWS Cloud Development Kit (CDK) v2 Developer Guide
• After updating the AWS CDK, the AWS CDK Toolkit (CLI) reports a mismatch with the AWS Construct
Library (p. 325)
• When deploying my AWS CDK stack, I receive a NoSuchBucket error (p. 326)
• When deploying my AWS CDK stack, I receive a forbidden: null message (p. 326)
• When synthesizing an AWS CDK stack, I get the message --app is required either in
command-line, in cdk.json or in ~/.cdk.json (p. 326)
• When synthesizing an AWS CDK stack, I receive an error because the AWS CloudFormation template
contains too many resources (p. 327)
• I specified three (or more) Availability Zones for my EC2 Auto-Scaling Group or Virtual Private Cloud,
but it was only deployed in two (p. 328)
• My S3 bucket, DynamoDB table, or other resource is not deleted when I issue cdk destroy (p. 328)
After updating the AWS CDK, the AWS CDK Toolkit (CLI) reports a mismatch with the AWS Construct
Library
The version of the AWS CDK Toolkit (which provides the cdk command) must be at least equal to
the version of the main AWS Construct Library module, aws-cdk-lib. The Toolkit is intended to be
backward compatible; the latest 2.x version of the toolkit can be used with any 1.x or 2.x release of the
library. For this reason, we recommend you install this component globally and keep it up-to-date.
If, for some reason, you need to work with multiple versions of the AWS CDK Toolkit, you can install a
specific version of the toolkit locally in your project folder.
If you are using TypeScript or JavaScript, your project directory already contains a versioned local copy of
the CDK Toolkit.
If you are using another language, use npm to install the AWS CDK Toolkit, omitting the -g flag and
specifying the desired version. For example:
To run a locally-installed AWS CDK Toolkit, use the command npx aws-cdk rather than just cdk. For
example:
npx aws-cdk runs the local version of the AWS CDK Toolkit if one exists, and falls back to the global
version when a project doesn't have a local installation. You may find it convenient to set up a shell alias
to make sure cdk is always invoked this way.
Version 2
325
AWS Cloud Development Kit (CDK) v2 Developer Guide
macOS/Linux
Windows
Your AWS environment has not been bootstrapped, and so does not have an Amazon S3 bucket
to hold resources during deployment. Stacks require this bucket if they contain the section called
“Assets” (p. 143) or synthesize to AWS CloudFormation templates larger than 50 kilobytes or if they
contain assets such as Lambda function code or container images. You can create the staging bucket with
the following command:
To avoid generating unexpected AWS charges, the AWS CDK does not automatically boostrap any
environment. You must bootstrap each environment into which you will deploy explicitly.
By default, the boostrap resources are created in the region(s) used by stacks in the current AWS CDK
application, or the region specified in your local AWS profile (set by aws configure), using that
profile's account. You can specify a different account and region on the command line as follows. (You
must specify the account and region if you are not in an app's directory.)
For more information, see the section called “Bootstrapping” (p. 180)
You are deploying a stack that requires boostrap resources, but are using an IAM role or account that
lacks permission to write to it. (The staging bucket is used when deploying stacks that contain assets
or that synthesize an AWS CloudFormation template larger than 50K.) Use an account or role that has
permission to perform the action s3:* against the bucket mentioned in the error message.
When synthesizing an AWS CDK stack, I get the message --app is required either in
command-line, in cdk.json or in ~/.cdk.json
This message usually means that you aren't in the main directory of your AWS CDK project when you
issue cdk synth. The file cdk.json in this directory, created by the cdk init command, contains
the command line needed to run (and thereby synthesize) your AWS CDK app. For a TypeScript app, for
example, the default cdk.json looks something like this:
{
"app": "npx ts-node bin/my-cdk-app.ts"
}
Version 2
326
AWS Cloud Development Kit (CDK) v2 Developer Guide
We recommend issuing cdk commands only in your project's main directory, so the AWS CDK toolkit can
find cdk.json there and successfully run your app.
If this isn't practical for some reason, the AWS CDK Toolkit looks for the app's command line in two other
locations:
For example, you might synthesize a stack from a TypeScript app as follows.
When synthesizing an AWS CDK stack, I receive an error because the AWS CloudFormation template
contains too many resources
The AWS CDK generates and deploys AWS CloudFormation templates. AWS CloudFormation has a hard
limit on the number of resources a stack can contain. With the AWS CDK, you can run up against this
limit more quickly than you might expect.
Note
The AWS CloudFormation resource limit is 500 at this writing. See AWS CloudFormation quotas
for the current resource limit.
The AWS Construct Library's higher-level, intent-based constructs automatically provision any auxiliary
resources that are needed for logging, key management, authorization, and other purposes. For example,
granting one resource access to another generates any IAM objects needed for the relevant services to
communicate.
In our experience, real-world use of intent-based constructs results in 1–5 AWS CloudFormation
resources per construct, though this can vary. For serverless applications, 5–8 AWS resources per API
endpoint is typical.
Patterns, which represent a higher level of abstraction, let you define even more AWS resources with
even less code. The AWS CDK code in the section called “ECS” (p. 218), for example, generates more than
fifty AWS CloudFormation resources while defining only three constructs!
Exceeding the AWS CloudFormation resource limit is an error during AWS CloudFormation synthesis. The
AWS CDK issues a warning if your stack exceeds 80% of the limit. You can use a different limit by setting
the maxResources property on your stack, or disable validation by setting maxResources to 0.
Tip
You can get an exact count of the resources in your synthesized output using the following
utility script. (Since every AWS CDK developer needs Node.js, the script is written in JavaScript.)
Version 2
327
AWS Cloud Development Kit (CDK) v2 Developer Guide
}); else console.log("Please specify the path to the stack's output .json file");
As your stack's resource count approaches the limit, consider re-architecting to reduce the number of
resources your stack contains: for example, by combining some Lambda functions, or by breaking your
stack into multiple stacks. The CDK supports references between stacks (p. 106), so it is straightforward
to separate your app's functionality into different stacks in whatever way makes the most sense to you.
Note
AWS CloudFormation experts often suggest the use of nested stacks as a solution to the
resource limit. The AWS CDK supports this approach via the NestedStack (p. 96) construct.
I specified three (or more) Availability Zones for my EC2 Auto-Scaling Group or Virtual Private Cloud,
but it was only deployed in two
To get the number of Availability Zones you requested, specify the account and region in the stack's env
property. If you do not specify both, the AWS CDK, by default, synthesizes the stack as environment-
agnostic, such that it can be deployed to any region. You can then deploy the stack to a specific region
using AWS CloudFormation. Because some regions have only two availability zones, an environment-
agnostic template never uses more than two.
Note
In the past, regions have occasionally launched with only one availability zone. Environment-
agnostic AWS CDK stacks cannot be deployed to such regions. At this writing, however, all AWS
regions have at least two AZs.
You can change this behavior by overriding your stack's availablilityZones (Python:
availability_zones) property to explicitly specify the zones you want to use.
For more information about specifying a stack's account and region at synthesis time, while retaining the
flexibility to deploy to any region, see the section called “Environments” (p. 97).
My S3 bucket, DynamoDB table, or other resource is not deleted when I issue cdk destroy
By default, resources that can contain user data have a removalPolicy (Python: removal_policy)
property of RETAIN, and the resource is not deleted when the stack is destroyed. Instead, the resource
is orphaned from the stack. You must then delete the resource manually after the stack is destroyed.
Until you do, redeploying the stack fails, because the name of the new resource being created during
deployment conflicts with the name of the orphaned resource.
If you set a resource's removal policy to DESTROY, that resource will be deleted when the stack is
destroyed.
TypeScript
Version 2
328
AWS Cloud Development Kit (CDK) v2 Developer Guide
JavaScript
module.exports = { CdkTestStack }
Python
class CdkTestStack(cdk.stack):
def __init__(self, scope: Construct, id: str, **kwargs):
super().__init__(scope, id, **kwargs)
Java
software.amazon.awscdk.*;
import software.amazon.awscdk.services.s3.*;
import software.constructs;
public CdkTestStack(final Construct scope, final String id, final StackProps props)
{
super(scope, id, props);
Bucket.Builder.create(this, "Bucket")
.removalPolicy(RemovalPolicy.DESTROY).build();
}
}
C#
using Amazon.CDK;
using Amazon.CDK.AWS.S3;
Version 2
329
AWS Cloud Development Kit (CDK) v2 Developer Guide
RemovalPolicy = RemovalPolicy.DESTROY
});
}
Note
AWS CloudFormation cannot delete a non-empty Amazon S3 bucket. If you set an Amazon S3
bucket's removal policy to DESTROY, and it contains data, attempting to destroy the stack will
fail because the bucket cannot be deleted. You can have the AWS CDK delete the objects in the
bucket before attempting to destroy it by setting the bucket's autoDeleteObjects prop to
true.
Version 2
330
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK OpenPGP key
Type: RSA
Size: 4096/4096
Created: 2018-06-19
Expires: 2022-06-18
Key fingerprint: E88B E3B6 F0B1 E350 9E36 4F96 0566 A784
E17F 3870
mQINBFsovE8BEADEFVCHeAVPvoQgsjVu9FPUczxy9P+2zGIT/MLI3/vPLiULQwRy
IN2oxyBNDtcDToNa/fTkW3Ev0NTP4V1h+uBoKDZD/p+dTmSDRfByECMI0sGZ3UsG
Ohhyl2Of44s0sL8gdLtDnqSRLf+ZrfT3gpgUnplW7VitkwLxr78jDpW4QD8p8dZ9
WNm3JgB55jyPgaJKqA1Ln4Vduni/1XkrG42nxrrU71uUdZPvPZ2ELLJa6n0/raG8
jq3le+xQh45gAIs6PGaAgy7jAsfbwkGTBHjjujITAY1DwvQH5iS31OaCM9n4JNpc
xGZeJAVYTLilznf2QtS/a50t+ZOmpq67Ssp2j6qYpiumm0Lo9q3K/R4/yF0FZ8SL
1TuNX0ecXEptiMVUfTiqrLsANg18EPtLZZOYW+ZkbcVytkDpiqj7bMwA7mI7zGCJ
1gjaTbcEmOmVdQYS1G6ZptwbTtvrgA6AfnZxX1HUxLRQ7tT/wvRtABfbQKAh85Ff
a3U9W4oC3c1MP5IyhNV1Wo8Zm0flZiZc0iZnojTtSG6UbcxNNL4Q8e08FWjhungj
yxSsIBnQO1Aeo1N4BbzlI+n9iaXVDUN7Kz1QEyS4PNpjvUyrUiQ+a9C5sRA7WP+x
IEOaBBGpoAXB3oLsdTNO6AcwcDd9+r2NlXlhWC4/uH2YHQUIegPqHmPWxwARAQAB
tCFBV1MgQ0RLIFRlYW0gPGF3cy1jZGtAYW1hem9uLmNvbT6JAj8EEwEIACkFAlso
vE8CGy8FCQeEzgAHCwkIBwMCAQYVCAIJCgsEFgIDAQIeAQIXgAAKCRAFZqeE4X84
cLGxD/0XHnhoR2xvz38GM8HQlwlZy9W1wVhQKmNDQUavw8Zx7+iRR3m7nq3xM7Qq
BDbcbKSg1lVLSBQ6H2V6vRpysOhkPSH1nN2dO8DtvSKIPcxK48+1x7lmO+ksSs/+
oo1UvOmTDaRzOitYh3kOGXHHXk/l11GtF2FGQzYssX5iM4PHcjBsK1unThs56IMh
OJeZezEYzBaskTu/ytRJ236bPP2kZIEXfzAvhmTytuXWUXEftxOxc6fIAcYiKTha
aofG7WyR+Fvb1j5gNLcbY552QMxa23NZd5cSZH7468WEW1SGJ3AdLA7k5xvsPPOC
2YvQFD+vUOZ1JJuu6B5rHkiEMhRTLklkvqXEShTxuXiCp7iTOo6TBCmrWAT4eQr7
htLmqlXrgKi8qPkWmRdXXG+MQBzI/UyZq2q8KC6cx2md1PhANmeefhiM7FZZfeNM
WLonWfh8gVCsNH5h8WJ9fxsQCADd3Xxx3NelS2zDYBPRoaqZEEBbgUP6LnWFprA2
EkSlc/RoDqZCpBGgcoy1FFWvV/ZLgNU6OTQlYH6oYOWiylSJnaTDyurrktsxJI6d
4gdsFb6tqwTGecuUPvvZaEuvhWExLxAebhu780FdAPXgVTX+YCLI2zf+dWQvkFQf
80RE7ayn7BsiaLzFBVux/zz/WgvudsZX18r8tDiVQBL51ORmqw==
=0wuQ
-----END PGP PUBLIC KEY BLOCK-----
Version 2
331
AWS Cloud Development Kit (CDK) v2 Developer Guide
JSII OpenPGP key
Type: RSA
Size: 4096/4096
Created: 2018-08-06
Expires: 2022-08-05
Key fingerprint: 85EF 6522 4CE2 1E8C 72DB 28EC 1C7A CE4C
B2A1 B93A
mQINBFtoSs0BEAD6WweLD0B26h0F7Jo9iR6tVQ4PgQBK1Va5H/eP+A2Iqw79UyxZ
WNzHYhzQ5MjYYI1SgcPavXy5/LV1N8HJ7QzyKszybnLYpNTLPYArWE8ZM9ZmjvIR
p1GzwnVBGQfoOlxyeutE9T5ZkAn45dTS5jlno4unji4gHjnwXKf2nP1APU2CZfdK
8vDpLOgj9LeeGlerYNbx+7xtY/I+csFIQvK09FPLSNMJQLlkBhY0r6Rt9ZQG+653
tJn+AUjyM237w0UIX1IqyYc5IONXu8HklPGu0NYuX9AY/63Ak2Cyfj0w/PZlvueQ
noQNM3j0nkOEsTOEXCyaLQw9iBKpxvLnm5RjMSODDCkj8c9uu0LHr7J4EOtgt2S1
pem7Y/c/N+/Z+Ksg9fP8fVTfYwRPvdI1x2sCiRDfLoQSG9tdrN5VwPFi4sGV04sI
x7Al8Vf/OBjAGZrDaJgM/gVvb9SKAQUA6t3ofeP14gDrS0eYodEXZ+lamnxFglxF
Sn8NRC4JFNmkXSUaTNGUdFf//F0D69PRNT8CnFfmniGj0CphN5037PCA2LC/Buq2
3+K6mTPkCcCHYPC/SwItp/xIDAQsGuDc1i1SfDYXrjsK7uOuwC5jLA9X6wZ/jgXQ
4umRRJBAV1aW8b1+yfaYYCO2AfXXO6caObv8IvH7Pc4leC2DoqylD3KklQARAQAB
tCNBV1MgSlNJSSBUZWFtIDxhd3MtanNpaUBhbWF6b24uY29tPokCPwQTAQgAKQUC
W2hKzQIbLwUJB4TOAAcLCQgHAwIBBhUIAgkKCwQWAgMBAh4BAheAAAoJEBx6zkyy
obk6B34P/iNb5QjKyhT0glZiq1wK7tuDDRpR6fC/sp6Jd/GhaNjO4BzlDbUPSjW5
950VT+qwaHXbIma/QVP7EIRztfwWy7m8eOodjpiu7JyJprhwG9nocXiNsLADcMoH
BvabkDRWXWIWSurq2wbcFMlTVwxjHPIQs6kt2oojpzP985CDS/KTzyjow6/gfMim
DLdhSSbDUM34STEgew79L2sQzL7cvM/N59k+AGyEMHZDXHkEw/Bge5Ovz50YOnsp
lisH4BzPRIw7uWqPlkVPzJKwMuo2WvMjDfgbYLbyjfvs5mqDxT2GTwAx/rd2taU6
iSqP0QmLM54BtTVVdoVXZSmJyTmXAAGlITq8ECZ/coUW9K2pUSgVuWyu63lktFP6
MyCQYRmXPh9aSd4+ielteXM9Y39snlyLgEJBhMxioZXVO2oszwluPuhPoAp4ekwj
/umVsBf6As6PoAchg7Qzr+lRZGmV9YTJOgDn2Z7jf/7tOes0g/mdiXTQMSGtp/Fp
ggnifTBx3iXkrQhqHlwtam8XTHGHy3MvX17ZslNuB8Pjh+07hhCxv0VUVZPUHJqJ
ZsLa398LMteQ8UMxwJ3t06jwDWAd7mbr2tatIilLHtWWBFoCwBh1XLe/03ENCpDp
njZ7OsBsBK2nVVcN0H2v5ey0T1yE93o6r7xOwCwBiVp5skTCRUob
=2Tag
-----END PGP PUBLIC KEY BLOCK-----
Version 2
332
AWS Cloud Development Kit (CDK) v2 Developer Guide
AWS CDK v2 release (p. 333) Version 2 of the AWS CDK December 4, 2021
Developer Guide is released.
Document history for CDK v1.
Version 2
333