runbooks 1.0.1__py3-none-any.whl → 1.0.3__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (35) hide show
  1. runbooks/__init__.py +1 -1
  2. runbooks/cloudops/models.py +20 -14
  3. runbooks/common/aws_pricing_api.py +276 -44
  4. runbooks/common/dry_run_examples.py +587 -0
  5. runbooks/common/dry_run_framework.py +520 -0
  6. runbooks/common/memory_optimization.py +533 -0
  7. runbooks/common/performance_optimization_engine.py +1153 -0
  8. runbooks/common/profile_utils.py +10 -3
  9. runbooks/common/sre_performance_suite.py +574 -0
  10. runbooks/finops/business_case_config.py +314 -0
  11. runbooks/finops/cost_processor.py +19 -4
  12. runbooks/finops/ebs_cost_optimizer.py +1 -1
  13. runbooks/finops/embedded_mcp_validator.py +642 -36
  14. runbooks/finops/executive_export.py +789 -0
  15. runbooks/finops/finops_scenarios.py +34 -27
  16. runbooks/finops/notebook_utils.py +1 -1
  17. runbooks/finops/schemas.py +73 -58
  18. runbooks/finops/single_dashboard.py +20 -4
  19. runbooks/finops/vpc_cleanup_exporter.py +2 -1
  20. runbooks/inventory/models/account.py +5 -3
  21. runbooks/inventory/models/inventory.py +1 -1
  22. runbooks/inventory/models/resource.py +5 -3
  23. runbooks/inventory/organizations_discovery.py +89 -5
  24. runbooks/main.py +182 -61
  25. runbooks/operate/vpc_operations.py +60 -31
  26. runbooks/remediation/workspaces_list.py +2 -2
  27. runbooks/vpc/config.py +17 -8
  28. runbooks/vpc/heatmap_engine.py +425 -53
  29. runbooks/vpc/performance_optimized_analyzer.py +546 -0
  30. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/METADATA +15 -15
  31. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/RECORD +35 -27
  32. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/WHEEL +0 -0
  33. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/entry_points.txt +0 -0
  34. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/licenses/LICENSE +0 -0
  35. {runbooks-1.0.1.dist-info → runbooks-1.0.3.dist-info}/top_level.txt +0 -0
runbooks/__init__.py CHANGED
@@ -61,7 +61,7 @@ s3_ops = S3Operations()
61
61
 
62
62
  # Centralized Version Management - Single Source of Truth
63
63
  # All modules MUST import __version__ from this location
64
- __version__ = "1.0.1"
64
+ __version__ = "1.0.3"
65
65
 
66
66
  # Fallback for legacy importlib.metadata usage during transition
67
67
  try:
@@ -10,7 +10,7 @@ Strategic Alignment:
10
10
  - Integration with Rich CLI for consistent UX
11
11
  """
12
12
 
13
- from pydantic import BaseModel, Field, validator, root_validator
13
+ from pydantic import BaseModel, Field, field_validator
14
14
  from typing import List, Dict, Optional, Union, Any
15
15
  from enum import Enum
16
16
  from datetime import datetime
@@ -58,7 +58,8 @@ class ResourceImpact(BaseModel):
58
58
  modification_required: bool = Field(description="Whether resource requires modification", default=False)
59
59
  estimated_downtime: Optional[float] = Field(description="Expected downtime in minutes", default=None)
60
60
 
61
- @validator('risk_level')
61
+ @field_validator('risk_level')
62
+ @classmethod
62
63
  def validate_risk_level(cls, v):
63
64
  """Ensure risk level is valid."""
64
65
  if isinstance(v, str):
@@ -68,11 +69,12 @@ class ResourceImpact(BaseModel):
68
69
  raise ValueError(f'Risk level must be one of: {[e.value for e in RiskLevel]}')
69
70
  return v
70
71
 
71
- @validator('projected_savings')
72
- def validate_savings(cls, v, values):
72
+ @field_validator('projected_savings')
73
+ @classmethod
74
+ def validate_savings(cls, v, info):
73
75
  """Validate savings against current cost."""
74
- if v is not None and 'estimated_monthly_cost' in values:
75
- current_cost = values['estimated_monthly_cost']
76
+ if v is not None and 'estimated_monthly_cost' in info.data:
77
+ current_cost = info.data['estimated_monthly_cost']
76
78
  if current_cost is not None and v > current_cost:
77
79
  raise ValueError('Projected savings cannot exceed current cost')
78
80
  return v
@@ -85,10 +87,11 @@ class ComplianceMetrics(BaseModel):
85
87
  violations_found: int = Field(ge=0, description="Number of violations identified")
86
88
  violations_fixed: int = Field(ge=0, description="Number of violations remediated")
87
89
 
88
- @validator('violations_fixed')
89
- def validate_violations_fixed(cls, v, values):
90
+ @field_validator('violations_fixed')
91
+ @classmethod
92
+ def validate_violations_fixed(cls, v, info):
90
93
  """Ensure violations fixed doesn't exceed violations found."""
91
- if 'violations_found' in values and v > values['violations_found']:
94
+ if 'violations_found' in info.data and v > info.data['violations_found']:
92
95
  raise ValueError('Violations fixed cannot exceed violations found')
93
96
  return v
94
97
 
@@ -137,7 +140,8 @@ class CloudOpsExecutionResult(BaseModel):
137
140
  regions_analyzed: List[str] = Field(description="AWS regions analyzed", default=[])
138
141
  services_analyzed: List[str] = Field(description="AWS services analyzed", default=[])
139
142
 
140
- @validator('execution_time')
143
+ @field_validator('execution_time')
144
+ @classmethod
141
145
  def validate_execution_time(cls, v):
142
146
  """Ensure execution time is positive."""
143
147
  if v < 0:
@@ -171,10 +175,11 @@ class CostOptimizationResult(CloudOpsExecutionResult):
171
175
  oversized_resources: List[ResourceImpact] = Field(description="Identified oversized resources", default=[])
172
176
  unattached_resources: List[ResourceImpact] = Field(description="Identified unattached resources", default=[])
173
177
 
174
- @validator('optimized_monthly_spend')
175
- def validate_optimized_spend(cls, v, values):
178
+ @field_validator('optimized_monthly_spend')
179
+ @classmethod
180
+ def validate_optimized_spend(cls, v, info):
176
181
  """Ensure optimized spend is less than current spend."""
177
- if 'current_monthly_spend' in values and v > values['current_monthly_spend']:
182
+ if 'current_monthly_spend' in info.data and v > info.data['current_monthly_spend']:
178
183
  raise ValueError('Optimized spend cannot exceed current spend')
179
184
  return v
180
185
 
@@ -205,7 +210,8 @@ class ProfileConfiguration(BaseModel):
205
210
  account_id: Optional[str] = Field(description="AWS account ID")
206
211
  regions: List[str] = Field(description="Target AWS regions", default=["us-east-1"])
207
212
 
208
- @validator('profile_name')
213
+ @field_validator('profile_name')
214
+ @classmethod
209
215
  def validate_profile_exists(cls, v):
210
216
  """Validate that AWS profile exists in local configuration."""
211
217
  try:
@@ -114,37 +114,76 @@ class AWSPricingAPI:
114
114
 
115
115
  @lru_cache(maxsize=128)
116
116
  def get_nat_gateway_monthly_cost(self, region: str = 'us-east-1') -> float:
117
- """Get real-time NAT Gateway monthly cost from AWS Pricing API."""
118
- try:
119
- response = self.pricing_client.get_products(
120
- ServiceCode='AmazonVPC',
121
- Filters=[
122
- {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'NAT Gateway'},
123
- {'Type': 'TERM_MATCH', 'Field': 'location', 'Value': self._get_region_name(region)}
124
- ],
125
- MaxResults=1
126
- )
127
-
128
- if response['PriceList']:
129
- price_data = json.loads(response['PriceList'][0])
130
- on_demand = price_data['terms']['OnDemand']
131
- for term in on_demand.values():
132
- for price_dimension in term['priceDimensions'].values():
133
- if 'Hrs' in price_dimension.get('unit', ''):
134
- hourly_rate = float(price_dimension['pricePerUnit']['USD'])
135
- return hourly_rate * 24 * 30 # Convert to monthly
136
-
137
- return self._get_from_cost_explorer('VPC', 'NAT Gateway')
138
-
139
- except Exception:
140
- return self._get_from_cost_explorer('VPC', 'NAT Gateway')
117
+ """Get real-time NAT Gateway monthly cost from AWS Pricing API with enterprise regional fallback."""
118
+
119
+ # Enterprise Regional Fallback Strategy
120
+ fallback_regions = ['us-east-1', 'us-west-2', 'eu-west-1']
121
+ if region not in fallback_regions:
122
+ fallback_regions.insert(0, region)
123
+
124
+ last_error = None
125
+
126
+ for attempt_region in fallback_regions:
127
+ try:
128
+ # Try AWS Pricing API for this region
129
+ response = self.pricing_client.get_products(
130
+ ServiceCode='AmazonVPC',
131
+ Filters=[
132
+ {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'NAT Gateway'},
133
+ {'Type': 'TERM_MATCH', 'Field': 'location', 'Value': self._get_region_name(attempt_region)}
134
+ ],
135
+ MaxResults=1
136
+ )
137
+
138
+ if response['PriceList']:
139
+ price_data = json.loads(response['PriceList'][0])
140
+ on_demand = price_data['terms']['OnDemand']
141
+ for term in on_demand.values():
142
+ for price_dimension in term['priceDimensions'].values():
143
+ if 'Hrs' in price_dimension.get('unit', ''):
144
+ hourly_rate = float(price_dimension['pricePerUnit']['USD'])
145
+ monthly_cost = hourly_rate * 24 * 30 # Convert to monthly
146
+ print(f"✅ NAT Gateway pricing: ${monthly_cost:.2f}/month from {attempt_region}")
147
+ return monthly_cost
148
+
149
+ # Try Cost Explorer for this region
150
+ ce_cost = self._get_from_cost_explorer('VPC', 'NAT Gateway', attempt_region)
151
+ if ce_cost > 0:
152
+ print(f"✅ NAT Gateway pricing: ${ce_cost:.2f}/month from Cost Explorer")
153
+ return ce_cost
154
+
155
+ except Exception as e:
156
+ last_error = e
157
+ print(f"⚠️ Pricing API failed for region {attempt_region}: {e}")
158
+ continue
159
+
160
+ # Enterprise fallback with graceful degradation
161
+ return self._get_enterprise_fallback_pricing('nat_gateway', region, last_error)
141
162
 
142
- def _get_from_cost_explorer(self, service: str, resource_type: str) -> float:
163
+ def _get_from_cost_explorer(self, service: str, resource_type: str, region: str = None) -> float:
143
164
  """Get actual costs from Cost Explorer as ultimate source of truth."""
144
165
  try:
145
166
  end_date = datetime.now()
146
167
  start_date = end_date - timedelta(days=30)
147
168
 
169
+ # Build filter with optional region
170
+ filter_conditions = [
171
+ {'Dimensions': {'Key': 'SERVICE', 'Values': [f'Amazon {service}']}}
172
+ ]
173
+
174
+ if region:
175
+ filter_conditions.append({
176
+ 'Dimensions': {'Key': 'REGION', 'Values': [region]}
177
+ })
178
+
179
+ # Add resource type filter if it helps
180
+ if resource_type != service:
181
+ filter_conditions.append({
182
+ 'Dimensions': {'Key': 'USAGE_TYPE_GROUP', 'Values': [resource_type]}
183
+ })
184
+
185
+ cost_filter = {'And': filter_conditions} if len(filter_conditions) > 1 else filter_conditions[0]
186
+
148
187
  response = self.ce_client.get_cost_and_usage(
149
188
  TimePeriod={
150
189
  'Start': start_date.strftime('%Y-%m-%d'),
@@ -152,24 +191,20 @@ class AWSPricingAPI:
152
191
  },
153
192
  Granularity='MONTHLY',
154
193
  Metrics=['UnblendedCost'],
155
- Filter={
156
- 'And': [
157
- {'Dimensions': {'Key': 'SERVICE', 'Values': [f'Amazon {service}']}},
158
- {'Tags': {'Key': 'ResourceType', 'Values': [resource_type]}}
159
- ]
160
- }
194
+ Filter=cost_filter
161
195
  )
162
196
 
163
- if response['ResultsByTime']:
197
+ if response['ResultsByTime'] and response['ResultsByTime'][0]['Total']['UnblendedCost']['Amount']:
164
198
  total_cost = float(response['ResultsByTime'][0]['Total']['UnblendedCost']['Amount'])
165
- # Calculate per-unit cost based on usage
166
- return self._calculate_unit_cost(total_cost, service, resource_type)
199
+ if total_cost > 0:
200
+ # Calculate per-unit cost based on usage
201
+ return self._calculate_unit_cost(total_cost, service, resource_type)
167
202
 
168
- # If all else fails, query MCP servers for validation
169
- return self._query_mcp_servers(service, resource_type)
203
+ return 0.0 # No cost data found
170
204
 
171
- except Exception:
172
- return self._query_mcp_servers(service, resource_type)
205
+ except Exception as e:
206
+ print(f"⚠️ Cost Explorer query failed: {e}")
207
+ return 0.0
173
208
 
174
209
  def _calculate_unit_cost(self, total_cost: float, service: str, resource_type: str) -> float:
175
210
  """Calculate per-unit cost from total cost and usage metrics."""
@@ -184,20 +219,217 @@ class AWSPricingAPI:
184
219
  divisor = usage_multipliers.get(service, {}).get(resource_type, 1000)
185
220
  return total_cost / divisor
186
221
 
187
- def _query_mcp_servers(self, service: str, resource_type: str) -> float:
188
- """Query MCP servers for cost validation - NO HARDCODED FALLBACKS."""
189
- # This would integrate with MCP servers for real-time validation
190
- # NEVER return hardcoded values - always get from external sources
191
- raise ValueError(f"Unable to get pricing for {service}/{resource_type} - no hardcoded fallbacks allowed")
222
+ def _get_enterprise_fallback_pricing(self, resource_type: str, region: str, last_error: Exception = None) -> float:
223
+ """Enterprise-compliant fallback pricing with graceful degradation."""
224
+
225
+ # Check for enterprise configuration override
226
+ override_env = f"AWS_PRICING_OVERRIDE_{resource_type.upper()}_MONTHLY"
227
+ override_value = os.getenv(override_env)
228
+ if override_value:
229
+ print(f"💼 Using enterprise pricing override: ${override_value}/month")
230
+ return float(override_value)
231
+
232
+ # Check if running in compliance-mode or analysis can proceed with warnings
233
+ compliance_mode = os.getenv("AWS_PRICING_STRICT_COMPLIANCE", "false").lower() == "true"
234
+
235
+ if compliance_mode:
236
+ # Strict compliance: block operation
237
+ error_msg = f"ENTERPRISE VIOLATION: Cannot proceed without dynamic {resource_type} pricing. " \
238
+ f"Last error: {last_error}. Set {override_env} or enable fallback pricing."
239
+ print(f"🚫 {error_msg}")
240
+ raise ValueError(error_msg)
241
+ else:
242
+ # Graceful degradation: allow analysis with standard AWS rates (documented approach)
243
+ standard_rates = {
244
+ 'nat_gateway': 32.40, # AWS standard us-east-1 rate: $0.045/hour * 24 * 30
245
+ 'transit_gateway': 36.00, # AWS standard us-east-1 rate: $0.05/hour * 24 * 30
246
+ 'vpc_endpoint_interface': 7.20, # AWS standard us-east-1 rate: $0.01/hour * 24 * 30
247
+ 'elastic_ip_idle': 3.60, # AWS standard us-east-1 rate: $0.005/hour * 24 * 30
248
+ }
249
+
250
+ if resource_type in standard_rates:
251
+ fallback_cost = standard_rates[resource_type]
252
+ print(f"⚠️ FALLBACK PRICING: Using standard AWS rate ${fallback_cost}/month for {resource_type}")
253
+ print(f" ℹ️ To fix: Check IAM permissions for pricing:GetProducts and ce:GetCostAndUsage")
254
+ print(f" ℹ️ Or set {override_env} for enterprise override")
255
+ return fallback_cost
256
+
257
+ # Last resort: query MCP servers for validation
258
+ return self._query_mcp_servers(resource_type, region, last_error)
259
+
260
+ @lru_cache(maxsize=128)
261
+ def get_vpc_endpoint_monthly_cost(self, region: str = 'us-east-1') -> float:
262
+ """Get real-time VPC Endpoint monthly cost from AWS Pricing API."""
263
+ try:
264
+ response = self.pricing_client.get_products(
265
+ ServiceCode='AmazonVPC',
266
+ Filters=[
267
+ {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'VpcEndpoint'},
268
+ {'Type': 'TERM_MATCH', 'Field': 'location', 'Value': self._get_region_name(region)}
269
+ ],
270
+ MaxResults=1
271
+ )
272
+
273
+ if response['PriceList']:
274
+ price_data = json.loads(response['PriceList'][0])
275
+ on_demand = price_data['terms']['OnDemand']
276
+ for term in on_demand.values():
277
+ for price_dimension in term['priceDimensions'].values():
278
+ if 'Hrs' in price_dimension.get('unit', ''):
279
+ hourly_rate = float(price_dimension['pricePerUnit']['USD'])
280
+ monthly_cost = hourly_rate * 24 * 30 # Convert to monthly
281
+ return monthly_cost
282
+
283
+ # Fallback to Cost Explorer
284
+ return self._get_from_cost_explorer('VPC', 'VpcEndpoint', region)
285
+
286
+ except Exception as e:
287
+ return self._get_from_cost_explorer('VPC', 'VpcEndpoint', region)
288
+
289
+ @lru_cache(maxsize=128)
290
+ def get_transit_gateway_monthly_cost(self, region: str = 'us-east-1') -> float:
291
+ """Get real-time Transit Gateway monthly cost from AWS Pricing API."""
292
+ try:
293
+ response = self.pricing_client.get_products(
294
+ ServiceCode='AmazonVPC',
295
+ Filters=[
296
+ {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'Transit Gateway'},
297
+ {'Type': 'TERM_MATCH', 'Field': 'location', 'Value': self._get_region_name(region)}
298
+ ],
299
+ MaxResults=1
300
+ )
301
+
302
+ if response['PriceList']:
303
+ price_data = json.loads(response['PriceList'][0])
304
+ on_demand = price_data['terms']['OnDemand']
305
+ for term in on_demand.values():
306
+ for price_dimension in term['priceDimensions'].values():
307
+ if 'Hrs' in price_dimension.get('unit', ''):
308
+ hourly_rate = float(price_dimension['pricePerUnit']['USD'])
309
+ monthly_cost = hourly_rate * 24 * 30 # Convert to monthly
310
+ return monthly_cost
311
+
312
+ # Fallback to Cost Explorer
313
+ return self._get_from_cost_explorer('VPC', 'Transit Gateway', region)
314
+
315
+ except Exception as e:
316
+ return self._get_from_cost_explorer('VPC', 'Transit Gateway', region)
317
+
318
+ @lru_cache(maxsize=128)
319
+ def get_elastic_ip_monthly_cost(self, region: str = 'us-east-1') -> float:
320
+ """Get real-time Elastic IP monthly cost from AWS Pricing API."""
321
+ try:
322
+ response = self.pricing_client.get_products(
323
+ ServiceCode='AmazonEC2',
324
+ Filters=[
325
+ {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'IP Address'},
326
+ {'Type': 'TERM_MATCH', 'Field': 'location', 'Value': self._get_region_name(region)}
327
+ ],
328
+ MaxResults=1
329
+ )
330
+
331
+ if response['PriceList']:
332
+ price_data = json.loads(response['PriceList'][0])
333
+ on_demand = price_data['terms']['OnDemand']
334
+ for term in on_demand.values():
335
+ for price_dimension in term['priceDimensions'].values():
336
+ if 'Hrs' in price_dimension.get('unit', ''):
337
+ hourly_rate = float(price_dimension['pricePerUnit']['USD'])
338
+ monthly_cost = hourly_rate * 24 * 30 # Convert to monthly
339
+ return monthly_cost
340
+
341
+ # Fallback to Cost Explorer
342
+ return self._get_from_cost_explorer('EC2', 'Elastic IP', region)
343
+
344
+ except Exception as e:
345
+ return self._get_from_cost_explorer('EC2', 'Elastic IP', region)
346
+
347
+ @lru_cache(maxsize=128)
348
+ def get_data_transfer_monthly_cost(self, region: str = 'us-east-1') -> float:
349
+ """Get real-time Data Transfer cost per GB from AWS Pricing API."""
350
+ try:
351
+ response = self.pricing_client.get_products(
352
+ ServiceCode='AmazonEC2',
353
+ Filters=[
354
+ {'Type': 'TERM_MATCH', 'Field': 'productFamily', 'Value': 'Data Transfer'},
355
+ {'Type': 'TERM_MATCH', 'Field': 'fromLocation', 'Value': self._get_region_name(region)},
356
+ {'Type': 'TERM_MATCH', 'Field': 'toLocation', 'Value': 'External'}
357
+ ],
358
+ MaxResults=1
359
+ )
360
+
361
+ if response['PriceList']:
362
+ price_data = json.loads(response['PriceList'][0])
363
+ on_demand = price_data['terms']['OnDemand']
364
+ for term in on_demand.values():
365
+ for price_dimension in term['priceDimensions'].values():
366
+ if 'GB' in price_dimension.get('unit', ''):
367
+ return float(price_dimension['pricePerUnit']['USD'])
368
+
369
+ # Fallback to Cost Explorer
370
+ return self._get_from_cost_explorer('EC2', 'Data Transfer', region)
371
+
372
+ except Exception as e:
373
+ return self._get_from_cost_explorer('EC2', 'Data Transfer', region)
374
+
375
+ def _query_mcp_servers(self, resource_type: str, region: str, last_error: Exception = None) -> float:
376
+ """Query MCP servers for cost validation as final fallback."""
377
+ try:
378
+ # This would integrate with MCP servers for real-time validation
379
+ # For now, provide guidance for resolution
380
+ guidance_msg = f"""
381
+ 🔧 VPC PRICING RESOLUTION REQUIRED:
382
+
383
+ Resource: {resource_type}
384
+ Region: {region}
385
+ Last Error: {last_error}
386
+
387
+ 📋 RESOLUTION OPTIONS:
388
+
389
+ 1. IAM Permissions (Most Common Fix):
390
+ Add these policies to your AWS profile:
391
+ - pricing:GetProducts
392
+ - ce:GetCostAndUsage
393
+ - ce:GetDimensionValues
394
+
395
+ 2. Enterprise Override:
396
+ export AWS_PRICING_OVERRIDE_{resource_type.upper()}_MONTHLY=32.40
397
+
398
+ 3. Enable Fallback Mode:
399
+ export AWS_PRICING_STRICT_COMPLIANCE=false
400
+
401
+ 4. Alternative Region:
402
+ Try with --region us-east-1 (best Pricing API support)
403
+
404
+ 5. MCP Server Integration:
405
+ Ensure MCP servers are accessible and operational
406
+
407
+ 💡 TIP: Run 'aws pricing get-products --service-code AmazonVPC' to test permissions
408
+ """
409
+ print(guidance_msg)
410
+
411
+ # ENTERPRISE COMPLIANCE: Do not return hardcoded fallback
412
+ raise ValueError(f"Unable to get pricing for {resource_type} in {region}. Check IAM permissions and MCP server connectivity.")
413
+
414
+ except Exception as mcp_error:
415
+ print(f"🚫 Final fallback failed: {mcp_error}")
416
+ raise ValueError(f"Unable to get pricing for {resource_type} in {region}. Check IAM permissions and MCP server connectivity.")
192
417
 
193
418
  def _get_region_name(self, region_code: str) -> str:
194
419
  """Convert region code to full region name for Pricing API."""
195
420
  region_map = {
196
421
  'us-east-1': 'US East (N. Virginia)',
422
+ 'us-west-1': 'US West (N. California)',
197
423
  'us-west-2': 'US West (Oregon)',
198
424
  'eu-west-1': 'EU (Ireland)',
425
+ 'eu-west-2': 'EU (London)',
426
+ 'eu-central-1': 'EU (Frankfurt)',
199
427
  'ap-southeast-1': 'Asia Pacific (Singapore)',
200
- # Add more as needed
428
+ 'ap-southeast-2': 'Asia Pacific (Sydney)',
429
+ 'ap-northeast-1': 'Asia Pacific (Tokyo)',
430
+ 'ap-south-1': 'Asia Pacific (Mumbai)',
431
+ 'ca-central-1': 'Canada (Central)',
432
+ 'sa-east-1': 'South America (São Paulo)',
201
433
  }
202
434
  return region_map.get(region_code, 'US East (N. Virginia)')
203
435