Running your dev IDE vscode on AWS for development and workshop purposes.
Note
This construct is designed for workshop purposes and does not fulfill all security and authentication best practices.
This is an early version of the package. The API will change while I
we implement new features. Therefore make sure you use an exact version in your package.json before it reaches 1.0.0.
- ⚡ Quick Setup: Spin up and configure your vscode server in under 10 minutes in your AWS account
- 📏 Best Practice Setup: Set up with projen and a single configuration file to keep your changes centralized.
- 🤹♂️ Pre-installed packages: Besides the vscode server, other tools and software packages such as
git,docker,awsclinodejsandpythonare pre-installed on the EC2 instance. - 🌐 Custom Domain Support: Use your own domain name with automatic ACM certificate creation and Route53 DNS configuration, or bring your existing certificate.
- 💰 Auto-Stop: Automatically stop EC2 instances after inactivity with Elastic IP retention - save up to 75% on costs for development environments.
- 🔧 Custom Install Steps: Extend the standard installation with your own shell commands to install workshop-specific tools, configure environments, or run setup scripts.
- 🏗️ Extensibility: Pass in properties to the construct, which start with
additional*. They allow you to extend the configuration to your needs. There are more to come...
Actually we supported 2 modes:
The following steps get you started:
- Create a new
awscdk-appvia
npx projen new awscdk-app-ts --package-manager=npm- Add
@mavogel/cdk-vscode-serveras a dependency to your project in the.projenrc.tsfile - Run
npx projento install it - Add the following to the
src/main.tsfile:
import { App, Stack, StackProps } from 'aws-cdk-lib';
import * as ec2 from 'aws-cdk-lib/aws-ec2';
import * as iam from 'aws-cdk-lib/aws-iam';
import { Construct } from 'constructs';
import {
LinuxArchitectureType,
LinuxFlavorType,
VSCodeServer
} from '@mavogel/cdk-vscode-server';
export class MyStack extends Stack {
constructor(scope: Construct, id: string, props: StackProps = {}) {
super(scope, id, props);
new VSCodeServer(this, 'vscode', {
// for example (or simply use the defaults by not setting the properties)
instanceVolumeSize: 8,
instanceClass: ec2.InstanceClass.M7G,
instanceSize: ec2.InstanceSize.LARGE,
instanceOperatingSystem: LinuxFlavorType.UBUNTU_24,
instanceCpuArchitecture: LinuxArchitectureType.ARM,
// 👇🏽 or if you want to give the InstanceRole more permissions
additionalInstanceRolePolicies: [
new iam.PolicyStatement({
effect: iam.Effect.ALLOW,
actions: [
'codebuild:*',
],
resources: [
`arn:aws:codebuild:*:${Stack.of(this).account}:*/*`,
],
}),
]
// and more... 💡
});
}
}
const env = {
account: '123456789912',
region: 'eu-central-1',
};
const app = new App();
new MyStack(app, 'vscode-server', { env });
app.synth();and deploy it
npx projen build
npx projen deploywith the output
✨ Deployment time: 509.87s
Outputs:
dev.vscodedomainName6729AA39 = https://d1foo65bar4baz.cloudfront.net/?folder=/Workshop
dev.vscodepassword64FBCA12 = foobarbazSee the examples folder for more inspiration.
Clone a git repository into the VS Code Server's home folder during instance setup - perfect for workshops or development environments with starter code:
new VSCodeServer(this, 'vscode', {
// Clone a git repository into the home folder
repoUrl: 'https://github.com/aws-samples/my-workshop-repo.git',
// Optional: customize the home folder path (default: /Workshop)
homeFolder: '/MyWorkshop',
// Optional: specify VS Code user (default: vscode-user)
vscodeUser: 'workshop-user',
});What happens:
- During instance setup, the specified git repository is cloned into the user's home folder
- VS Code Server opens with the repository already loaded and ready to use
- Participants can start coding immediately without manual git clone steps
Use cases:
- Workshop environments with pre-configured starter code
- Development environments with boilerplate projects
- Training sessions with example applications
- Code review sessions with pre-loaded repositories
Repository requirements:
- Must be publicly accessible (no authentication required)
- HTTPS URLs only (SSH git URLs are not supported)
- Repository will be cloned using
git cloneduring instance initialization
For complete examples, see examples/.
You can configure your VS Code Server with a custom domain name instead of using the default CloudFront domain. The construct supports three different configuration options:
new VSCodeServer(this, 'vscode', {
domainName: 'vscode.example.com',
hostedZoneId: 'Z123EXAMPLE456', // optional - will auto-discover if not provided
autoCreateCertificate: true,
});This will:
- Create an ACM certificate in us-east-1 (required for CloudFront)
- Validate the certificate using DNS validation
- Create a Route53 A record pointing to the CloudFront distribution
- Configure the CloudFront distribution with the custom domain
new VSCodeServer(this, 'vscode', {
domainName: 'vscode.example.com',
hostedZoneId: 'Z123EXAMPLE456',
certificateArn: 'arn:aws:acm:us-east-1:123456789012:certificate/12345678-1234-1234-1234-123456789012',
});Requirements:
- Certificate must be in us-east-1 region
- Certificate must be validated and ready to use
- Certificate must include the domain name
new VSCodeServer(this, 'vscode', {
// No domain configuration - uses CloudFront default domain
});For complete examples, see examples/custom-domain/main.ts.
-
Then open the domain name in your favorite browser and you'd see the following login screen:

-
After entering the password, you are logged into VSCode and can start coding 🎉
Important
There are issues with copy pasting into the VSCode terminal within the Firefox browser (2025-01-12)
Save up to 75% on costs by automatically stopping EC2 instances when idle:
new VSCodeServer(this, 'vscode', {
enableAutoStop: true, // Enable auto-stop feature
idleTimeoutMinutes: 30, // Stop after 30 minutes of no activity (default)
idleCheckIntervalMinutes: 5, // Check for idle activity every 5 minutes (default)
});How it works:
- Idle Detection: Monitors CloudFront request metrics at configured intervals (default: every 5 minutes)
- Auto-Stop: Stops the EC2 instance after the configured idle timeout when no requests are detected
- Static IP: Allocates an Elastic IP to maintain a consistent public IP address across stop/start cycles
- Manual Resume: Users can manually start the instance via AWS Console or CLI when needed
Cost Savings Example:
- Without auto-stop: m7g.xlarge running 24/7 = ~$120/month
- With auto-stop (8 hours/day, 5 days/week): ~$30/month
- Savings: ~$90/month (75% reduction)
Additional costs:
- Elastic IP (allocated): ~$3.65/month
- Lambda function (IdleMonitor): ~$0.10/month
- EventBridge rule: Negligible
- Net savings: ~$86/month per instance
Architecture Components:
- Elastic IP for consistent public addressing
- EventBridge rule triggering idle monitoring at configured intervals
- IdleMonitor Lambda function checking CloudWatch metrics for request activity
- IdleMonitorEnabler custom resource ensuring monitoring only starts after installation completes
- CloudWatch metrics from CloudFront distribution
Integration Testing:
The stop-on-idle functionality includes comprehensive integration tests (integ-tests/integ.stop-on-idle.ts) that verify the complete workflow:
- Phase 1 - Verify Auto-Stop: Waits for the instance to automatically stop after the configured idle timeout
- Phase 2 - Disable IdleMonitor: Disables the EventBridge rule to prevent the instance from being stopped again during testing
- Phase 3 - Start Instance: Starts the stopped instance and waits for it to reach the running state
- Phase 4 - Verify Login: Confirms that VS Code Server is accessible through CloudFront after the instance has been restarted
This 4-phase test ensures that:
- Idle detection works correctly based on CloudWatch metrics
- Instance stops automatically when no activity is detected
- Instance can be successfully restarted after being stopped
- VS Code Server remains accessible after stop/start cycles
- Elastic IP maintains connectivity across state changes
Run integration tests with:
npm run integ-testExtend the standard VS Code Server installation with your own custom shell commands - perfect for installing workshop-specific tools, configuring development environments, or running setup scripts:
new VSCodeServer(this, 'vscode', {
// Add custom installation steps that run after standard setup
customInstallSteps: [
{
name: 'InstallWorkshopTools',
commands: [
'#!/bin/bash',
'echo "Installing workshop-specific tools"',
// Install additional software
'curl -fsSL https://get.docker.com | sh',
'usermod -aG docker ubuntu',
// Configure environment
'echo "export WORKSHOP_ENV=production" >> /home/ubuntu/.bashrc',
],
},
{
name: 'CloneStarterCode',
commands: [
'#!/bin/bash',
'cd /home/ubuntu',
'git clone https://github.com/my-org/workshop-starter.git',
'chown -R ubuntu:ubuntu workshop-starter',
],
},
],
});Key Features:
- Execute After Standard Setup: Custom steps run after VS Code Server installation completes
- Multiple Steps: Add as many installation steps as needed, executed in order
- Full Shell Access: Run any shell commands with root privileges
- Workshop-Friendly: Pre-install tools, configure environments, or download starter code
Common Use Cases:
- Install additional development tools (Docker, kubectl, terraform)
- Configure workshop-specific environments and credentials
- Clone starter code repositories with specific permissions
- Set up databases or services required for training
- Download and prepare datasets or assets
- Configure IDE extensions or settings
Supported Operating Systems:
- Ubuntu 22/24/25
- Amazon Linux 2023
Requirements:
- Commands execute with root privileges during instance initialization
- Use absolute paths or ensure proper working directory context
- Consider idempotency if instance might be restarted
- Commands run synchronously in the order specified
For complete examples, see examples/custom-install-steps/main.ts.
This project was created based on the following inspiration
- vscode-on-ec2-for-prototyping: as baseline, which unfortunately was outdated
- aws-terraform-dev-container: as baseline for terraform, but unfortunately also outdated
- java-on-aws-workshop-ide-only.yaml: an already synthesized cloudformation stack, which used mostly python as the custom resources
- fleet-workshop-team-stack-self.json: also an already synthesized cloudformation stack, which did much more as I currently implemented here.
- eks-workshop-vscode-cfn.yaml: another great baseline
Hi, I’m Manuel, an AWS expert passionate about empowering businesses with scalable, resilient, and cost-optimized cloud solutions. With MV Consulting, I specialize in crafting tailored AWS architectures and DevOps-driven workflows that not only meet your current needs but grow with you.
✔️ Tailored AWS Solutions: Every business is unique, so I design custom solutions that fit your goals and challenges.
✔️ Well-Architected Designs: From scalability to security, my solutions align with AWS Well-Architected Framework.
✔️ Cloud-Native Focus: I specialize in modern, cloud-native systems that embrace the full potential of AWS.
✔️ Business-Driven Tech: Technology should serve your business, not the other way around.
🔑 12x AWS Certifications
I’m AWS Certified Solutions Architect and DevOps – Professional and hold numerous additional certifications, so you can trust I’ll bring industry best practices to your projects. Feel free to explose by badges
⚙️ Infrastructure as Code (IaC)
With deep expertise in AWS CDK and Terraform, I ensure your infrastructure is automated, maintainable, and scalable.
📦 DevOps Expertise
From CI/CD pipelines with GitHub Actions and GitLab CI to container orchestration Kubernetes and others, I deliver workflows that are smooth and efficient.
🌐 Hands-On Experience
With over 7 years of AWS experience and a decade in the tech world, I’ve delivered solutions for companies large and small. My open-source contributions showcase my commitment to transparency and innovation. Feel free to explore my GitHub profile
I know that choosing the right partner is critical to your success. When you work with me, you’re not just contracting an engineer – you’re gaining a trusted advisor and hands-on expert who cares about your business as much as you do.
✔️ Direct Collaboration: No middlemen or red tape – you work with me directly.
✔️ Transparent Process: Expect open communication, clear timelines, and visible results.
✔️ Real Value: My solutions focus on delivering measurable impact for your business.
Big shoutout to the amazing team behind Projen!
Their groundbreaking work simplifies cloud infrastructure projects and inspires us every day. 💡

