Skip to content

Commit f95cbb3

Browse files
authored
Allow arbitrary service quota requests (#97)
* add quota codegen * use defaults vs actuals * add generic quota capbility * quota codegen * update generation script and add notes about duplicates
1 parent a321785 commit f95cbb3

File tree

11 files changed

+47539
-53
lines changed

11 files changed

+47539
-53
lines changed

.gitignore

+3
Original file line numberDiff line numberDiff line change
@@ -22,10 +22,13 @@ out/
2222
__pycache__
2323
*.pyc
2424

25+
# Python virtual environment
26+
.venv
2527

2628
# Go best practices dictate that libraries should not include the vendor directory
2729
vendor
2830

2931
# Ignore Terraform lock files, as we want to test the Terraform code in these repos with the latest provider
3032
# versions.
3133
.terraform.lock.hcl
34+
test/.go-version

codegen/quotas/README.md

+44
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,44 @@
1+
# AWS Service Quotas Generator
2+
3+
This Python script is used to generate Terraform files for managing AWS service quota requests. It interacts with the AWS Service Quotas API and fetches information about the quotas for different services. The script then generates Terraform code based on this information and writes it to (`main.tf` and `variables.tf`) files.
4+
5+
## Gotchas
6+
7+
- Generating the quotas could be time consuming as the script honors the API limits for the used AWS APIs.
8+
- Certain services have duplicate quotas - same description but different code. Those are handled by appending the quota code to the input variable name.
9+
10+
## Requirements
11+
- Python 3.6+
12+
- Boto3
13+
- AWS CLI (optional, for configuring AWS credentials)
14+
15+
## Usage
16+
17+
Ensure you have valid AWS credentials to access the service quotas service.
18+
19+
### Install Dependencies
20+
Install the required Python packages by running:
21+
22+
```
23+
pip install -r requirements.txt
24+
```
25+
26+
### Command Line Arguments
27+
The script accepts the following command line arguments:
28+
29+
- `--region` (optional): Specify the AWS region to query service quotas for. Defaults to `us-east-1`.
30+
- `--outdir` (optional): Output directory for the resulting terraform files. Defaults to `../../modules/request-quota-increase`.
31+
32+
### Running the Script
33+
To run the script with default settings (region `us-east-1` and output `../../modules/request-quota-increase`):
34+
35+
```
36+
python generate_quotas.py
37+
```
38+
39+
To specify a different region and output file:
40+
41+
```
42+
python generate_quotas.py --region us-west-2 --outdir "./path/to/your/dir"
43+
44+
```

codegen/quotas/generate_quotas.py

+141
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,141 @@
1+
import argparse
2+
import os
3+
import subprocess
4+
import time
5+
6+
import boto3
7+
from templates import (
8+
get_variable_name,
9+
terraform_locals_template,
10+
terraform_main,
11+
terraform_variable_template,
12+
terraform_vars,
13+
)
14+
15+
# Parse command-line arguments
16+
parser = argparse.ArgumentParser(
17+
description="Generate a markdown document of all adjustable AWS service quotas."
18+
)
19+
parser.add_argument(
20+
"--region",
21+
default="us-east-1",
22+
help="AWS region to query service quotas for. Defaults to us-east-1.",
23+
)
24+
parser.add_argument(
25+
"--outdir",
26+
default="../../modules/request-quota-increase",
27+
help='Output directory for the resulting terraform files. Defaults to "../../modules/request-quota-increase".',
28+
)
29+
args = parser.parse_args()
30+
31+
# Initialize a boto3 client for Service Quotas in the specified region
32+
client = boto3.client("service-quotas", region_name=args.region)
33+
34+
35+
def list_all_services():
36+
"""List all AWS services that have quotas."""
37+
services = []
38+
response = client.list_services()
39+
services.extend(response["Services"])
40+
while "NextToken" in response:
41+
time.sleep(0.3) # Delay to respect rate limits
42+
response = client.list_services(NextToken=response["NextToken"])
43+
services.extend(response["Services"])
44+
return services
45+
46+
47+
def list_quotas_for_service(service_code):
48+
"""List the quotas for a given service by its service code."""
49+
print(f"Fetching quotas for service {service_code}")
50+
quotas = []
51+
response = client.list_aws_default_service_quotas(ServiceCode=service_code)
52+
quotas.extend(response["Quotas"])
53+
while "NextToken" in response:
54+
time.sleep(0.3) # Delay to respect rate limits
55+
response = client.list_aws_default_service_quotas(
56+
ServiceCode=service_code, NextToken=response["NextToken"]
57+
)
58+
quotas.extend(response["Quotas"])
59+
return quotas
60+
61+
62+
def generate_terraform(services):
63+
"""
64+
Generate Terraform code for the given AWS services.
65+
66+
This function iterates over the provided services, fetches the quotas for each service,
67+
and generates Terraform code for each adjustable quota. If a quota with the same variable name
68+
already exists, it appends the quota code to the quota name to make it unique, and stores the
69+
duplicate variable in a separate list.
70+
71+
Parameters:
72+
services (list): A list of AWS services. Each service is a dictionary that contains the service details.
73+
74+
Returns:
75+
tuple: A tuple containing two strings. The first string is the Terraform code for the main.tf file,
76+
and the second string is the Terraform code for the variables.tf file.
77+
78+
Prints:
79+
For each duplicate variable, it prints a message in the format "Duplicate Variable: {variable_name}: {quota_code}".
80+
"""
81+
terraform_variables = ""
82+
terraform_maps = ""
83+
unique_variables = set()
84+
duplicate_variables = []
85+
for service in services:
86+
# Adjust this based on your rate limit analysis and AWS documentation
87+
time.sleep(0.3)
88+
quotas = list_quotas_for_service(service["ServiceCode"])
89+
for quota in quotas:
90+
if quota["Adjustable"]:
91+
variable_name = get_variable_name(
92+
service["ServiceCode"], quota["QuotaName"]
93+
)
94+
if variable_name in unique_variables:
95+
duplicate_variables.append(f"{variable_name}: {quota['QuotaCode']}")
96+
quota["QuotaName"] = f"{quota['QuotaName']}_{quota['QuotaCode']}"
97+
else:
98+
unique_variables.add(variable_name)
99+
terraform_variables += terraform_variable_template(
100+
service["ServiceCode"], quota["QuotaName"], quota["QuotaCode"]
101+
)
102+
terraform_maps += terraform_locals_template(
103+
service["ServiceCode"], quota["QuotaName"], quota["QuotaCode"]
104+
)
105+
main_tf = terraform_main(terraform_maps)
106+
vars_tf = terraform_vars(terraform_variables)
107+
for variable in duplicate_variables:
108+
print(f"Duplicate Variable: {variable}")
109+
110+
return main_tf, vars_tf
111+
112+
113+
# Fetch all services
114+
services = list_all_services()
115+
116+
# Generate the Terraform code
117+
tf_main, tf_vars = generate_terraform(services)
118+
119+
# Ensure the output directory exists
120+
output_dir = args.outdir
121+
if not os.path.exists(output_dir):
122+
os.makedirs(output_dir)
123+
124+
# Write the main.tf to the specified output directory
125+
main_tf_path = os.path.join(output_dir, "main.tf")
126+
with open(main_tf_path, "w") as file:
127+
file.write(tf_main)
128+
129+
# Write the variables.tf to the specified output directory
130+
variables_tf_path = os.path.join(output_dir, "variables.tf")
131+
with open(variables_tf_path, "w") as file:
132+
file.write(tf_vars)
133+
134+
# Run terraform fmt on both files
135+
subprocess.run(["terraform", "fmt", main_tf_path], check=True)
136+
subprocess.run(["terraform", "fmt", variables_tf_path], check=True)
137+
138+
# Print the success message
139+
print(
140+
f"Terraform files have been written to {output_dir} and formatted with terraform fmt"
141+
)

codegen/quotas/requirements.txt

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
boto3>=1.20.0,<2.0

codegen/quotas/templates.py

+69
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,69 @@
1+
import re
2+
3+
4+
def get_variable_name(service_code, quota_name):
5+
variable_name = f"{service_code}_{quota_name}".lower()
6+
return re.sub(r'\W+', '_', variable_name)
7+
8+
def terraform_variable_template(service_code, quota_name, quota_code):
9+
variable_name = get_variable_name(service_code, quota_name)
10+
return f'''variable "{variable_name}" {{
11+
description = "Quota for [{service_code}]: {quota_name} ({quota_code})"
12+
type = number
13+
default = null
14+
}}\n\n'''
15+
16+
def terraform_locals_template(service_code, quota_name, quota_code):
17+
variable_name = get_variable_name(service_code, quota_name)
18+
return f''' {variable_name} = {{
19+
quota_code = "{quota_code}"
20+
service_code = "{service_code}"
21+
desired_quota = var.{variable_name}
22+
}},\n'''
23+
24+
def terraform_main(all_quotas):
25+
return f'''# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
26+
# CONFIGURE SERVICE QUOTAS
27+
# NOTE: This module is autogenerated. Do not modify it manually.
28+
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
29+
30+
terraform {{
31+
required_version = ">= 1.0.0"
32+
required_providers {{
33+
aws = {{
34+
source = "hashicorp/aws"
35+
version = ">= 3.75.1, < 6.0.0"
36+
}}
37+
}}
38+
}}
39+
40+
locals {{
41+
all_quotas = {{
42+
{all_quotas}
43+
}}
44+
45+
adjusted_quotas = {{
46+
for k, v in local.all_quotas : k => v
47+
if v.desired_quota != null
48+
}}
49+
}}
50+
51+
resource "aws_servicequotas_service_quota" "increase_quotas" {{
52+
for_each = local.adjusted_quotas
53+
54+
quota_code = each.value.quota_code
55+
service_code = each.value.service_code
56+
value = each.value.desired_quota
57+
}}
58+
59+
'''
60+
61+
def terraform_vars(all_vars):
62+
return f'''# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
63+
# INPUT VARIABLES FOR SERVICE QUOTAS
64+
# NOTE: This module is autogenerated. Do not modify it manually.
65+
# ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
66+
67+
{all_vars}
68+
69+
\n'''

examples/request-quota-increase/main.tf

+5-7
Original file line numberDiff line numberDiff line change
@@ -6,13 +6,11 @@ provider "aws" {
66
region = var.aws_region
77
}
88

9-
module "quota-increase" {
9+
module "quota_increase" {
1010
source = "../../modules/request-quota-increase"
1111

12-
resources_to_increase = {
13-
# In this example, to avoid opening a new request every time we run an automated test, we are setting the quotas
14-
# to their default values. In the real world, you'd want to set these quotes to higher values.
15-
nat_gateway = 5
16-
nacl_rules = 20
17-
}
12+
# In this example, to avoid opening a new request every time we run an automated test, we are setting the quotas
13+
# to their default values. In the real world, you'd want to set these quotes to higher values.
14+
vpc_rules_per_network_acl = 20
15+
vpc_nat_gateways_per_availability_zone = 5
1816
}
+1-1
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,3 @@
11
output "new_quotas" {
2-
value = module.quota-increase.new_quotas
2+
value = module.quota_increase.new_quotas
33
}

modules/request-quota-increase/README.md

+15-14
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,19 @@
11
# Request AWS Quota Increase
22

3-
This module can be used to request a quota increase for an AWS Resource.
3+
This module can be used to request a quota increase for AWS Resources. The module is [generated](../../codegen/quotas/) using [AWS Service Quotas API](https://docs.aws.amazon.com/servicequotas/2019-06-24/apireference/Welcome.html), and inputs for each adjustable quota for different services are added to the module.
4+
5+
**NOTE:** The service quotas for certain services have duplicate items. Those duplicate quotas have been named differently in the [input variables](./variables.tf) by appending the service quota code at the end of the variable name, e.g. `networkmonitor_number_of_probes_per_monitor` and `networkmonitor_number_of_probes_per_monitor_l_f192a8d6`.
46

57
## Features
68

7-
- Request a quota increase for Network ACL Rules and NAT Gateway.
9+
- Request a quota increase for any AWS resource.
810

911
## Learn
1012

1113
### Core Concepts
1214

1315
- [AWS Service Quotas Documentation](https://docs.aws.amazon.com/servicequotas/?id=docs_gateway)
16+
- [AWS Service Quotas Generator](../../codegen/quotas/)
1417

1518

1619
### Example code
@@ -25,26 +28,21 @@ Use the module in your Terraform code, replacing `<VERSION>` with the latest ver
2528
page](https://github.com/gruntwork-io/terraform-aws-utilities/releases):
2629

2730
```hcl
28-
module "path" {
31+
module "quota_increase" {
2932
source = "git::[email protected]:gruntwork-io/terraform-aws-utilities.git//modules/quota-increase?ref=<VERSION>"
3033
31-
request_quota_increase = {
32-
nat_gateway = 40,
33-
nacl_rules = 25
34-
}
34+
vpc_rules_per_network_acl = 30
35+
vpc_nat_gateways_per_availability_zone = 30
3536
}
3637
```
3738

38-
The argument to pass is:
39-
40-
* `request_quota_increase`: A map with the desired resource and the new quota. The current supported resources are `nat_gateway` and `nacl_rules`. Feel free to contribute to this module to add support for more `quota_code` and `service_code` options in [main.tf](main.tf)!
41-
39+
The [input variables](../../modules/request-quota-increase/variables.tf) for the module have been automatically generated using the [AWS Service Quotas Generator](../../codegen/quotas/). All adjustable Service Quotas are as separate input variables.
4240

4341
When you run `apply`, the `new_quotas` output variable will confirm to you that a quota request has been made!
4442

4543
```hcl
4644
new_quotas = {
47-
"nat_gateway" = {
45+
"vpc_nat_gateways_per_availability_zone" = {
4846
"adjustable" = true
4947
"arn" = "arn:aws:servicequotas:us-east-1:<account-id>:vpc/L-FE5A380F"
5048
"default_value" = 5
@@ -72,7 +70,10 @@ aws service-quotas list-requested-service-quota-change-history --region <REGION>
7270

7371
### Finding out the Service Code and Quota Code
7472

75-
When you need to add a new resource, you can check the available services with
73+
You can check adjustable quotas in the [input variables](../../modules/request-quota-increase/variables.tf).
74+
75+
76+
Alternatively, you can check the available services with
7677

7778
```
7879
aws service-quotas list-services --region <REGION> --output table
@@ -93,7 +94,7 @@ quota is 30 and you ask for a new quota of 25, this is the output:
9394

9495
```hcl
9596
new_quotas = {
96-
"nat_gateway" = {
97+
"vpc_nat_gateways_per_availability_zone" = {
9798
"adjustable" = true
9899
"arn" = "arn:aws:servicequotas:us-east-1:<account-id>:vpc/L-FE5A380F"
99100
"default_value" = 5

0 commit comments

Comments
 (0)