Let’s dive into how to programmatically create an ECR repository using the AWS Cloud Development Kit (CDK) with Python. CDK allows us to define our cloud infrastructure using familiar programming languages, making infrastructure as code (IaC) more accessible and maintainable.
Prerequisites:
Before we begin, ensure you have the following set up:
- AWS Account: You’ll need an active AWS account.
- AWS CLI Configured: The AWS Command Line Interface should be installed and configured with your credentials.
- Python 3.6 or later: CDK Python requires a compatible Python version.
- Node.js and npm: CDK CLI relies on Node.js and npm.
- AWS CDK Toolkit Installed: If you haven’t already, install the CDK CLI globally:
1
npm install -g aws-cdk
First, let’s create a new CDK project in Python. Open your terminal and navigate to your desired project directory. Then, run:
1
cdk init app --language python
Activate the virtual environment created by CDK:
1
source .venv/bin/activate
Now, navigate to the project’s core file, typically located under the project’s root directory with a name similar to
Defining the ECR Repository:
Import the necessary CDK modules and the aws_ecr module:
1
2
from aws_cdk import core as cdk
from aws_cdk import aws_ecr as ecr
Inside your stack class (which inherits from cdk.Stack), you can now define your ECR repository. Here’s a basic example:
1
2
3
4
5
6
7
8
9
10
11
12
class MyEcrStack(cdk.Stack):
def __init__(self, scope: cdk.Construct, construct_id: str, **kwargs) -> None:
super().__init__(scope, construct_id, **kwargs)
repository = ecr.Repository(
self,
"MyWebAppRepo",
repository_name="my-web-app-repo" # Optional: Specify a custom repository name
)
cdk.CfnOutput(self, "RepositoryUri", value=repository.repository_uri)
In this code:
- We import the ecr module from aws_cdk.
- We create an instance of ecr.Repository within our stack.
- The first argument (self) refers to the current stack.
- The second argument (“MyWebAppRepo”) is a logical ID for this resource within your CDK stack. It needs to be unique within the stack.
- The repository_name parameter (optional) allows you to specify a custom name for your ECR repository in AWS. If you don’t provide it, CDK will generate a unique name.
- cdk.CfnOutput is used to output the URI of the newly created repository after deployment, which is essential for pushing your Docker images.
Deploying Your CDK Stack:
Save your changes to the stack file. Now, in your terminal, navigate to the root of your CDK project and run the following commands:
- Synthesize the CloudFormation template:
1
cdk synth
This command will generate the CloudFormation template based on your Python code.
- Deploy the CDK stack to your AWS account:
1
cdk deploy
CDK will prompt you for confirmation before creating the resources in your AWS account (in the AWS region you have configured). Type y to proceed.