Private/Deploy-Accelerator-Helpers/Request-ALZConfigurationValue.ps1
|
function Request-ALZConfigurationValue { <# .SYNOPSIS Parses configuration files and prompts the user for input values interactively. .DESCRIPTION This function reads the inputs.yaml file, loads the schema for descriptions and help links, and prompts the user for values. It prompts for all inputs in inputs.yaml. .PARAMETER ConfigFolderPath The path to the folder containing the configuration files. .PARAMETER IacType The Infrastructure as Code type (terraform or bicep). .PARAMETER VersionControl The version control system (github, azure-devops, or local). .PARAMETER AzureContext A hashtable containing Azure context information including ManagementGroups, Subscriptions, and Regions arrays. .OUTPUTS Returns $true if configuration was updated, $false otherwise. #> [CmdletBinding(SupportsShouldProcess = $true)] param( [Parameter(Mandatory = $true)] [string] $ConfigFolderPath, [Parameter(Mandatory = $true)] [string] $IacType, [Parameter(Mandatory = $true)] [string] $VersionControl, [Parameter(Mandatory = $false)] [hashtable] $AzureContext = @{ ManagementGroups = @(); Subscriptions = @(); Regions = @() } ) # Helper function to get a property from schema info safely function Get-SchemaProperty { param($SchemaInfo, $PropertyName, $Default = $null) if ($null -ne $SchemaInfo -and $SchemaInfo.PSObject.Properties.Name -contains $PropertyName) { return $SchemaInfo.$PropertyName } return $Default } # Helper function to validate and prompt for a value with GUID format function Get-ValidatedGuidInput { param($PromptText, $CurrentValue, $Indent = " ") $guidRegex = "^[0-9a-fA-F]{8}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{12}$" $newValue = Read-Host "$PromptText" if ([string]::IsNullOrWhiteSpace($newValue)) { return $CurrentValue } while ($newValue -notmatch $guidRegex) { Write-InformationColored "${Indent}Invalid GUID format. Please enter a valid GUID (xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx)" -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "$PromptText" if ([string]::IsNullOrWhiteSpace($newValue)) { return $CurrentValue } } return $newValue } # Helper function to prompt for a single input value function Read-InputValue { param( $Key, $CurrentValue, $SchemaInfo, $Indent = "", $DefaultDescription = "No description available", $Subscriptions = @(), $ManagementGroups = @(), $Regions = @() ) $description = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "description" -Default $DefaultDescription $helpLink = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "helpLink" $isSensitive = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "sensitive" -Default $false $allowedValues = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "allowedValues" $format = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "format" $schemaType = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "type" -Default "string" $isRequired = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "required" -Default $false $source = Get-SchemaProperty -SchemaInfo $SchemaInfo -PropertyName "source" # For sensitive inputs, check if value is set via environment variable $envVarValue = $null if ($isSensitive) { $envVarName = "TF_VAR_$Key" $envVarValue = [System.Environment]::GetEnvironmentVariable($envVarName) if (-not [string]::IsNullOrWhiteSpace($envVarValue)) { $CurrentValue = $envVarValue } } # Check if the current value is an array $isArray = $schemaType -eq "array" -or $CurrentValue -is [System.Collections.IList] # Check if the current value is a placeholder (surrounded by angle brackets) $isPlaceholder = $false $hasPlaceholderItems = $false if ($isArray) { # Check if array contains placeholder items if ($null -ne $CurrentValue -and $CurrentValue.Count -gt 0) { foreach ($item in $CurrentValue) { if ($item -is [string] -and $item -match '^\s*<.*>\s*$') { $hasPlaceholderItems = $true break } } } } elseif ($CurrentValue -is [string] -and $CurrentValue -match '^\s*<.*>\s*$') { $isPlaceholder = $true } # Determine effective default (don't use placeholders as defaults) $effectiveDefault = if ($isPlaceholder) { "" } elseif ($isArray -and $hasPlaceholderItems) { @() } else { $CurrentValue } # Display prompt information Write-InformationColored "`n${Indent}[$Key]" -ForegroundColor Yellow -InformationAction Continue Write-InformationColored "${Indent} $description" -ForegroundColor White -InformationAction Continue if ($null -ne $helpLink) { Write-InformationColored "${Indent} Help: $helpLink" -ForegroundColor Gray -InformationAction Continue } if ($isRequired) { Write-InformationColored "${Indent} Required: Yes" -ForegroundColor Magenta -InformationAction Continue } if ($null -ne $allowedValues) { Write-InformationColored "${Indent} Allowed values: $($allowedValues -join ', ')" -ForegroundColor Gray -InformationAction Continue } if ($format -eq "guid") { Write-InformationColored "${Indent} Format: GUID (xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx)" -ForegroundColor Gray -InformationAction Continue } if ($schemaType -eq "number") { Write-InformationColored "${Indent} Format: Integer number" -ForegroundColor Gray -InformationAction Continue } if ($schemaType -eq "boolean") { Write-InformationColored "${Indent} Format: true or false" -ForegroundColor Gray -InformationAction Continue } if ($isArray) { Write-InformationColored "${Indent} Format: Comma-separated list of values" -ForegroundColor Gray -InformationAction Continue } # Helper to mask sensitive values - show first 3 and last 3 chars if long enough function Get-MaskedValue { param($Value) if ([string]::IsNullOrWhiteSpace($Value)) { return "(empty)" } $valueStr = $Value.ToString() if ($valueStr.Length -ge 8) { # Show first 3 and last 3 characters with asterisks in between return $valueStr.Substring(0, 3) + "***" + $valueStr.Substring($valueStr.Length - 3) } else { # Too short to show partial, just mask completely return "********" } } # Show current value (mask if sensitive) if ($isArray) { $displayCurrentValue = if ($null -eq $CurrentValue -or $CurrentValue.Count -eq 0) { "(empty)" } elseif ($hasPlaceholderItems) { "$($CurrentValue -join ', ') (contains placeholders - requires input)" } elseif ($isSensitive) { ($CurrentValue | ForEach-Object { Get-MaskedValue -Value $_ }) -join ", " } else { $CurrentValue -join ", " } } else { $displayCurrentValue = if ($isSensitive -and -not [string]::IsNullOrWhiteSpace($CurrentValue)) { Get-MaskedValue -Value $CurrentValue } elseif ($isPlaceholder) { "$CurrentValue (placeholder - requires input)" } elseif ($CurrentValue -is [bool]) { # Display booleans in lowercase if ($CurrentValue) { "true" } else { "false" } } else { $CurrentValue } } Write-InformationColored "${Indent} Current value: $displayCurrentValue" -ForegroundColor Gray -InformationAction Continue # Build prompt text if ($isArray) { # Use effective default (empty if has placeholders) $effectiveArrayDefault = if ($hasPlaceholderItems) { @() } else { $CurrentValue } $currentAsString = if ($null -eq $effectiveArrayDefault -or $effectiveArrayDefault.Count -eq 0) { "" } elseif ($isSensitive) { ($effectiveArrayDefault | ForEach-Object { Get-MaskedValue -Value $_ }) -join ", " } else { $effectiveArrayDefault -join ", " } $promptText = if ([string]::IsNullOrWhiteSpace($currentAsString)) { "${Indent} Enter values (comma-separated)" } else { "${Indent} Enter values (comma-separated, default: $currentAsString)" } } else { $displayDefault = if ($isSensitive -and -not [string]::IsNullOrWhiteSpace($effectiveDefault)) { Get-MaskedValue -Value $effectiveDefault } elseif ($effectiveDefault -is [bool]) { # Display booleans in lowercase if ($effectiveDefault) { "true" } else { "false" } } else { $effectiveDefault } $promptText = if ([string]::IsNullOrWhiteSpace($effectiveDefault) -and $effectiveDefault -isnot [bool]) { "${Indent} Enter value" } else { "${Indent} Enter value (default: $displayDefault)" } } # Get new value based on input type if ($isSensitive) { $secureValue = Read-Host "$promptText" -AsSecureString $newValue = [System.Runtime.InteropServices.Marshal]::PtrToStringAuto( [System.Runtime.InteropServices.Marshal]::SecureStringToBSTR($secureValue) ) if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please enter a value." -ForegroundColor Red -InformationAction Continue $secureValue = Read-Host "$promptText" -AsSecureString $newValue = [System.Runtime.InteropServices.Marshal]::PtrToStringAuto( [System.Runtime.InteropServices.Marshal]::SecureStringToBSTR($secureValue) ) } } elseif ($isArray) { $inputValue = Read-Host "$promptText" # Use effective default (empty array if has placeholders) $effectiveArrayDefault = if ($hasPlaceholderItems) { @() } else { $CurrentValue } if ([string]::IsNullOrWhiteSpace($inputValue)) { $newValue = $effectiveArrayDefault } else { # Parse comma-separated values into an array $newValue = @($inputValue -split ',' | ForEach-Object { $_.Trim() } | Where-Object { -not [string]::IsNullOrWhiteSpace($_) }) } } elseif ($source -eq "subscription" -and $Subscriptions.Count -gt 0) { # Show subscription selection list Write-InformationColored "${Indent} Available subscriptions:" -ForegroundColor Cyan -InformationAction Continue for ($i = 0; $i -lt $Subscriptions.Count; $i++) { $sub = $Subscriptions[$i] if ($sub.id -eq $effectiveDefault) { Write-InformationColored "${Indent} [$($i + 1)] $($sub.name) ($($sub.id)) (current)" -ForegroundColor Green -InformationAction Continue } else { Write-InformationColored "${Indent} [$($i + 1)] $($sub.name) ($($sub.id))" -ForegroundColor White -InformationAction Continue } } Write-InformationColored "${Indent} [0] Enter manually" -ForegroundColor Gray -InformationAction Continue $selection = Read-Host "${Indent} Select subscription (1-$($Subscriptions.Count), 0 for manual entry, or press Enter for default)" if ([string]::IsNullOrWhiteSpace($selection)) { $newValue = $effectiveDefault } elseif ($selection -eq "0") { $newValue = Get-ValidatedGuidInput -PromptText "${Indent} Enter subscription ID" -CurrentValue $effectiveDefault -Indent "${Indent} " } else { $selIndex = [int]$selection - 1 if ($selIndex -ge 0 -and $selIndex -lt $Subscriptions.Count) { $newValue = $Subscriptions[$selIndex].id } else { Write-InformationColored "${Indent} Invalid selection, using default" -ForegroundColor Yellow -InformationAction Continue $newValue = $effectiveDefault } } # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please select a subscription." -ForegroundColor Red -InformationAction Continue $selection = Read-Host "${Indent} Select subscription (1-$($Subscriptions.Count), 0 for manual entry)" if ($selection -eq "0") { $newValue = Get-ValidatedGuidInput -PromptText "${Indent} Enter subscription ID" -CurrentValue "" -Indent "${Indent} " } elseif (-not [string]::IsNullOrWhiteSpace($selection)) { $selIndex = [int]$selection - 1 if ($selIndex -ge 0 -and $selIndex -lt $Subscriptions.Count) { $newValue = $Subscriptions[$selIndex].id } } } } elseif ($source -eq "managementGroup" -and $ManagementGroups.Count -gt 0) { # Show management group selection list Write-InformationColored "${Indent} Available management groups:" -ForegroundColor Cyan -InformationAction Continue for ($i = 0; $i -lt $ManagementGroups.Count; $i++) { $mg = $ManagementGroups[$i] if ($mg.id -eq $effectiveDefault) { Write-InformationColored "${Indent} [$($i + 1)] $($mg.displayName) ($($mg.id)) (current)" -ForegroundColor Green -InformationAction Continue } else { Write-InformationColored "${Indent} [$($i + 1)] $($mg.displayName) ($($mg.id))" -ForegroundColor White -InformationAction Continue } } Write-InformationColored "${Indent} [0] Enter manually" -ForegroundColor Gray -InformationAction Continue Write-InformationColored "${Indent} Press Enter to leave empty (uses Tenant Root Group)" -ForegroundColor Gray -InformationAction Continue $selection = Read-Host "${Indent} Select management group (1-$($ManagementGroups.Count), 0 for manual entry, or press Enter for default)" if ([string]::IsNullOrWhiteSpace($selection)) { $newValue = $effectiveDefault } elseif ($selection -eq "0") { $newValue = Read-Host "${Indent} Enter management group ID" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } } else { $selIndex = [int]$selection - 1 if ($selIndex -ge 0 -and $selIndex -lt $ManagementGroups.Count) { $newValue = $ManagementGroups[$selIndex].id } else { Write-InformationColored "${Indent} Invalid selection, using default" -ForegroundColor Yellow -InformationAction Continue $newValue = $effectiveDefault } } } elseif ($source -eq "azureRegion" -and $Regions.Count -gt 0) { # Show region selection list Write-InformationColored "${Indent} Available regions (AZ = Availability Zone support):" -ForegroundColor Cyan -InformationAction Continue for ($i = 0; $i -lt $Regions.Count; $i++) { $region = $Regions[$i] $azIndicator = if ($region.hasAvailabilityZones) { " [AZ]" } else { "" } if ($region.name -eq $effectiveDefault) { Write-InformationColored "${Indent} [$($i + 1)] $($region.displayName) ($($region.name))$azIndicator (current)" -ForegroundColor Green -InformationAction Continue } else { Write-InformationColored "${Indent} [$($i + 1)] $($region.displayName) ($($region.name))$azIndicator" -ForegroundColor White -InformationAction Continue } } Write-InformationColored "${Indent} [0] Enter manually" -ForegroundColor Gray -InformationAction Continue $selection = Read-Host "${Indent} Select region (1-$($Regions.Count), 0 for manual entry, or press Enter for default)" if ([string]::IsNullOrWhiteSpace($selection)) { $newValue = $effectiveDefault } elseif ($selection -eq "0") { $newValue = Read-Host "${Indent} Enter region name (e.g., uksouth, eastus)" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } } else { $selIndex = [int]$selection - 1 if ($selIndex -ge 0 -and $selIndex -lt $Regions.Count) { $newValue = $Regions[$selIndex].name } else { Write-InformationColored "${Indent} Invalid selection, using default" -ForegroundColor Yellow -InformationAction Continue $newValue = $effectiveDefault } } # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please select a region." -ForegroundColor Red -InformationAction Continue $selection = Read-Host "${Indent} Select region (1-$($Regions.Count), 0 for manual entry)" if ($selection -eq "0") { $newValue = Read-Host "${Indent} Enter region name (e.g., uksouth, eastus)" } elseif (-not [string]::IsNullOrWhiteSpace($selection)) { $selIndex = [int]$selection - 1 if ($selIndex -ge 0 -and $selIndex -lt $Regions.Count) { $newValue = $Regions[$selIndex].name } } } } elseif ($format -eq "guid") { $newValue = Get-ValidatedGuidInput -PromptText $promptText -CurrentValue $effectiveDefault -Indent "${Indent} " # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please enter a value." -ForegroundColor Red -InformationAction Continue $newValue = Get-ValidatedGuidInput -PromptText $promptText -CurrentValue $effectiveDefault -Indent "${Indent} " } } elseif ($schemaType -eq "number") { $newValue = Read-Host "$promptText" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } # Validate integer format and require if required $intResult = 0 # Check if effective default is valid, if not clear it if (-not [string]::IsNullOrWhiteSpace($newValue)) { $valueToCheck = if ($newValue -is [int]) { $newValue.ToString() } else { $newValue } while (-not [int]::TryParse($valueToCheck, [ref]$intResult)) { Write-InformationColored "${Indent} Invalid format. Please enter an integer number." -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "${Indent} Enter value" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = "" break } $valueToCheck = $newValue } } # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please enter a value." -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "${Indent} Enter value" # Re-validate integer format if (-not [string]::IsNullOrWhiteSpace($newValue)) { while (-not [int]::TryParse($newValue, [ref]$intResult)) { Write-InformationColored "${Indent} Invalid format. Please enter an integer number." -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "${Indent} Enter value" if ([string]::IsNullOrWhiteSpace($newValue)) { break } } } } # Convert to integer if we have a valid value if (-not [string]::IsNullOrWhiteSpace($newValue) -and [int]::TryParse($newValue.ToString(), [ref]$intResult)) { $newValue = $intResult } } elseif ($schemaType -eq "boolean") { $newValue = Read-Host "$promptText" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } # Validate and convert boolean if (-not [string]::IsNullOrWhiteSpace($newValue)) { $validBooleans = @('true', 'false', 'yes', 'no', '1', '0') $valueStr = $newValue.ToString().ToLower() while ($validBooleans -notcontains $valueStr) { Write-InformationColored "${Indent} Invalid format. Please enter true or false." -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "$promptText" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault break } $valueStr = $newValue.ToString().ToLower() } # Convert to actual boolean if (-not [string]::IsNullOrWhiteSpace($newValue)) { $valueStr = $newValue.ToString().ToLower() $newValue = $valueStr -in @('true', 'yes', '1') } } } else { $newValue = Read-Host "$promptText" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } # Require value if required while ($isRequired -and [string]::IsNullOrWhiteSpace($newValue)) { Write-InformationColored "${Indent} This field is required. Please enter a value." -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "$promptText" } } # Validate against allowed values if specified if ($null -ne $allowedValues -and -not [string]::IsNullOrWhiteSpace($newValue)) { while ($allowedValues -notcontains $newValue) { Write-InformationColored "${Indent} Invalid value. Please choose from: $($allowedValues -join ', ')" -ForegroundColor Red -InformationAction Continue $newValue = Read-Host "$promptText" if ([string]::IsNullOrWhiteSpace($newValue)) { $newValue = $effectiveDefault } } } # Return value along with sensitivity info return @{ Value = $newValue IsSensitive = $isSensitive } } if ($PSCmdlet.ShouldProcess("Configuration files", "prompt for input values")) { # Load the schema file $schemaPath = Join-Path $PSScriptRoot "AcceleratorInputSchema.json" if (-not (Test-Path $schemaPath)) { Write-Warning "Schema file not found at $schemaPath. Proceeding without descriptions." $schema = $null } else { $schema = Get-Content -Path $schemaPath -Raw | ConvertFrom-Json } # Define the configuration files to process $inputsYamlPath = Join-Path $ConfigFolderPath "inputs.yaml" $configUpdated = $false # Process inputs.yaml - prompt for ALL inputs if (Test-Path $inputsYamlPath) { Write-InformationColored "`n=== Bootstrap Configuration (inputs.yaml) ===" -ForegroundColor Cyan -InformationAction Continue Write-InformationColored "For more information, see: https://aka.ms/alz/acc/phase0" -ForegroundColor Gray -InformationAction Continue # Read the raw content to preserve comments and ordering $inputsYamlContent = Get-Content -Path $inputsYamlPath -Raw $inputsConfig = $inputsYamlContent | ConvertFrom-Yaml -Ordered $inputsUpdated = $false # Track changes to apply to the raw content $changes = @{} # Get the appropriate schema sections based on version control $bootstrapSchema = $null $vcsSchema = $null if ($null -ne $schema) { $bootstrapSchema = $schema.inputs.bootstrap.properties if ($VersionControl -eq "github") { $vcsSchema = $schema.inputs.github.properties } elseif ($VersionControl -eq "azure-devops") { $vcsSchema = $schema.inputs.azure_devops.properties } elseif ($VersionControl -eq "local") { $vcsSchema = $schema.inputs.local.properties } } foreach ($key in @($inputsConfig.Keys)) { $currentValue = $inputsConfig[$key] # Handle nested subscription_ids object (always in schema) if ($key -eq "subscription_ids" -and $currentValue -is [System.Collections.IDictionary]) { # Only process if subscription_ids is in the schema if ($null -eq $bootstrapSchema -or -not ($bootstrapSchema.PSObject.Properties.Name -contains "subscription_ids")) { continue } Write-InformationColored "`n[subscription_ids]" -ForegroundColor Yellow -InformationAction Continue Write-InformationColored " The subscription IDs for the platform landing zone subscriptions" -ForegroundColor White -InformationAction Continue Write-InformationColored " Help: https://aka.ms/alz/acc/phase0" -ForegroundColor Gray -InformationAction Continue $subscriptionIdsSchema = $bootstrapSchema.subscription_ids.properties foreach ($subKey in @($currentValue.Keys)) { $subCurrentValue = $currentValue[$subKey] $subSchemaInfo = $null if ($null -ne $subscriptionIdsSchema -and $subscriptionIdsSchema.PSObject.Properties.Name -contains $subKey) { $subSchemaInfo = $subscriptionIdsSchema.$subKey } else { # Skip subscription IDs not in schema continue } $result = Read-InputValue -Key $subKey -CurrentValue $subCurrentValue -SchemaInfo $subSchemaInfo -Indent " " -DefaultDescription "Subscription ID for $subKey" -Subscriptions $AzureContext.Subscriptions -ManagementGroups $AzureContext.ManagementGroups -Regions $AzureContext.Regions $subNewValue = $result.Value $subIsSensitive = $result.IsSensitive if ($subNewValue -ne $subCurrentValue -or $subIsSensitive) { $currentValue[$subKey] = $subNewValue $changes["subscription_ids.$subKey"] = @{ OldValue = $subCurrentValue NewValue = $subNewValue Key = $subKey IsNested = $true IsSensitive = $subIsSensitive } $inputsUpdated = $true } } continue } # Skip inputs that are not in the schema $schemaInfo = $null $isInBootstrapSchema = $null -ne $bootstrapSchema -and $bootstrapSchema.PSObject.Properties.Name -contains $key $isInVcsSchema = $null -ne $vcsSchema -and $vcsSchema.PSObject.Properties.Name -contains $key if (-not $isInBootstrapSchema -and -not $isInVcsSchema) { # This input is not in the schema, skip it continue } # Look up schema info from bootstrap or VCS-specific schema if ($isInBootstrapSchema) { $schemaInfo = $bootstrapSchema.$key } elseif ($isInVcsSchema) { $schemaInfo = $vcsSchema.$key } $result = Read-InputValue -Key $key -CurrentValue $currentValue -SchemaInfo $schemaInfo -Subscriptions $AzureContext.Subscriptions -ManagementGroups $AzureContext.ManagementGroups -Regions $AzureContext.Regions $newValue = $result.Value $isSensitive = $result.IsSensitive # Update if changed (handle array comparison) or if sensitive (always track sensitive values) $hasChanged = $false if ($currentValue -is [System.Collections.IList] -or $newValue -is [System.Collections.IList]) { # Compare arrays $currentArray = @($currentValue) $newArray = @($newValue) if ($currentArray.Count -ne $newArray.Count) { $hasChanged = $true } else { for ($i = 0; $i -lt $currentArray.Count; $i++) { if ($currentArray[$i] -ne $newArray[$i]) { $hasChanged = $true break } } } } else { $hasChanged = $newValue -ne $currentValue } if ($hasChanged -or $isSensitive) { $inputsConfig[$key] = $newValue $changes[$key] = @{ OldValue = $currentValue NewValue = $newValue Key = $key IsNested = $false IsArray = $newValue -is [System.Collections.IList] IsBoolean = $newValue -is [bool] IsNumber = $newValue -is [int] -or $newValue -is [long] -or $newValue -is [double] IsSensitive = $isSensitive } $inputsUpdated = $true } } # Save updated inputs.yaml preserving comments and ordering if ($inputsUpdated) { $updatedContent = $inputsYamlContent $sensitiveEnvVars = @{} foreach ($changeKey in $changes.Keys) { $change = $changes[$changeKey] $key = $change.Key $oldValue = $change.OldValue $newValue = $change.NewValue $isArray = if ($change.ContainsKey('IsArray')) { $change.IsArray } else { $false } $isBoolean = if ($change.ContainsKey('IsBoolean')) { $change.IsBoolean } else { $false } $isNumber = if ($change.ContainsKey('IsNumber')) { $change.IsNumber } else { $false } $isSensitive = if ($change.ContainsKey('IsSensitive')) { $change.IsSensitive } else { $false } # Handle sensitive values - set as environment variable instead of in file if ($isSensitive -and -not [string]::IsNullOrWhiteSpace($newValue)) { $envVarName = "TF_VAR_$key" [System.Environment]::SetEnvironmentVariable($envVarName, $newValue) $sensitiveEnvVars[$key] = $envVarName # Update the config file to indicate it's set as an env var $envVarPlaceholder = "Set via environment variable $envVarName" $escapedOldValue = if ([string]::IsNullOrWhiteSpace($oldValue)) { "" } else { [regex]::Escape($oldValue) } if ([string]::IsNullOrWhiteSpace($escapedOldValue)) { $pattern = "(?m)^(\s*${key}:\s*)`"?`"?(\s*)(#.*)?$" } else { $pattern = "(?m)^(\s*${key}:\s*)`"?${escapedOldValue}`"?(\s*)(#.*)?$" } $replacement = "`${1}`"$envVarPlaceholder`"`${2}`${3}" $updatedContent = $updatedContent -replace $pattern, $replacement continue } if ($isArray) { # Handle array values - convert to YAML inline array format $yamlArrayValue = "[" + (($newValue | ForEach-Object { "`"$_`"" }) -join ", ") + "]" # Match the existing array or empty value - use greedy match within brackets # Pattern matches: key: [anything] with optional comment $pattern = "(?m)^(\s*${key}:\s*)\[[^\]]*\](\s*)(#.*)?$" $replacement = "`${1}$yamlArrayValue`${2}`${3}" } elseif ($isBoolean) { # Handle boolean values - no quotes, lowercase true/false $yamlBoolValue = if ($newValue) { "true" } else { "false" } # Match any boolean-like value (true/false/True/False/yes/no) case-insensitively $pattern = "(?mi)^(\s*${key}:\s*)`"?(true|false)`"?(\s*)(#.*)?$" $replacement = "`${1}$yamlBoolValue`${3}`${4}" } elseif ($isNumber) { # Handle numeric values - no quotes $yamlNumValue = $newValue.ToString() $escapedOldValue = [regex]::Escape($oldValue.ToString()) $pattern = "(?m)^(\s*${key}:\s*)`"?${escapedOldValue}`"?(\s*)(#.*)?$" $replacement = "`${1}$yamlNumValue`${2}`${3}" } else { # Handle string values # Escape special regex characters in the old value $escapedOldValue = [regex]::Escape($oldValue) # Build regex pattern to match the key-value pair # This handles both quoted and unquoted values if ([string]::IsNullOrWhiteSpace($oldValue)) { # Empty value - match key followed by colon and optional whitespace/quotes $pattern = "(?m)^(\s*${key}:\s*)`"?`"?(\s*)(#.*)?$" $replacement = "`${1}`"$newValue`"`${2}`${3}" } else { # Non-empty value - match the specific value $pattern = "(?m)^(\s*${key}:\s*)`"?${escapedOldValue}`"?(\s*)(#.*)?$" $replacement = "`${1}`"$newValue`"`${2}`${3}" } } $updatedContent = $updatedContent -replace $pattern, $replacement } $updatedContent | Set-Content -Path $inputsYamlPath -Force -NoNewline Write-InformationColored "`nUpdated inputs.yaml" -ForegroundColor Green -InformationAction Continue # Display summary of sensitive environment variables if ($sensitiveEnvVars.Count -gt 0) { Write-InformationColored "`nSensitive values have been set as environment variables:" -ForegroundColor Yellow -InformationAction Continue foreach ($varKey in $sensitiveEnvVars.Keys) { Write-InformationColored " $varKey -> $($sensitiveEnvVars[$varKey])" -ForegroundColor Gray -InformationAction Continue } Write-InformationColored "`nThese environment variables are set for the current process only." -ForegroundColor Gray -InformationAction Continue Write-InformationColored "The config file contains placeholders indicating the values are set via environment variables." -ForegroundColor Gray -InformationAction Continue } $configUpdated = $true } } return $configUpdated } } # SIG # Begin signature block # MIIoLwYJKoZIhvcNAQcCoIIoIDCCKBwCAQExDzANBglghkgBZQMEAgEFADB5Bgor # BgEEAYI3AgEEoGswaTA0BgorBgEEAYI3AgEeMCYCAwEAAAQQH8w7YFlLCE63JNLG # KX7zUQIBAAIBAAIBAAIBAAIBADAxMA0GCWCGSAFlAwQCAQUABCDjLMMPH6HXOBg6 # UbIZd1uO6NsQ8Vxua1P/7ZN9iKiiT6CCDXYwggX0MIID3KADAgECAhMzAAAEhV6Z # 7A5ZL83XAAAAAASFMA0GCSqGSIb3DQEBCwUAMH4xCzAJBgNVBAYTAlVTMRMwEQYD # VQQIEwpXYXNoaW5ndG9uMRAwDgYDVQQHEwdSZWRtb25kMR4wHAYDVQQKExVNaWNy # b3NvZnQgQ29ycG9yYXRpb24xKDAmBgNVBAMTH01pY3Jvc29mdCBDb2RlIFNpZ25p # bmcgUENBIDIwMTEwHhcNMjUwNjE5MTgyMTM3WhcNMjYwNjE3MTgyMTM3WjB0MQsw # CQYDVQQGEwJVUzETMBEGA1UECBMKV2FzaGluZ3RvbjEQMA4GA1UEBxMHUmVkbW9u # ZDEeMBwGA1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMR4wHAYDVQQDExVNaWNy # b3NvZnQgQ29ycG9yYXRpb24wggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIB # AQDASkh1cpvuUqfbqxele7LCSHEamVNBfFE4uY1FkGsAdUF/vnjpE1dnAD9vMOqy # 5ZO49ILhP4jiP/P2Pn9ao+5TDtKmcQ+pZdzbG7t43yRXJC3nXvTGQroodPi9USQi # 9rI+0gwuXRKBII7L+k3kMkKLmFrsWUjzgXVCLYa6ZH7BCALAcJWZTwWPoiT4HpqQ # hJcYLB7pfetAVCeBEVZD8itKQ6QA5/LQR+9X6dlSj4Vxta4JnpxvgSrkjXCz+tlJ # 67ABZ551lw23RWU1uyfgCfEFhBfiyPR2WSjskPl9ap6qrf8fNQ1sGYun2p4JdXxe # UAKf1hVa/3TQXjvPTiRXCnJPAgMBAAGjggFzMIIBbzAfBgNVHSUEGDAWBgorBgEE # AYI3TAgBBggrBgEFBQcDAzAdBgNVHQ4EFgQUuCZyGiCuLYE0aU7j5TFqY05kko0w # RQYDVR0RBD4wPKQ6MDgxHjAcBgNVBAsTFU1pY3Jvc29mdCBDb3Jwb3JhdGlvbjEW # MBQGA1UEBRMNMjMwMDEyKzUwNTM1OTAfBgNVHSMEGDAWgBRIbmTlUAXTgqoXNzci # tW2oynUClTBUBgNVHR8ETTBLMEmgR6BFhkNodHRwOi8vd3d3Lm1pY3Jvc29mdC5j # b20vcGtpb3BzL2NybC9NaWNDb2RTaWdQQ0EyMDExXzIwMTEtMDctMDguY3JsMGEG # CCsGAQUFBwEBBFUwUzBRBggrBgEFBQcwAoZFaHR0cDovL3d3dy5taWNyb3NvZnQu # Y29tL3BraW9wcy9jZXJ0cy9NaWNDb2RTaWdQQ0EyMDExXzIwMTEtMDctMDguY3J0 # MAwGA1UdEwEB/wQCMAAwDQYJKoZIhvcNAQELBQADggIBACjmqAp2Ci4sTHZci+qk # tEAKsFk5HNVGKyWR2rFGXsd7cggZ04H5U4SV0fAL6fOE9dLvt4I7HBHLhpGdE5Uj # Ly4NxLTG2bDAkeAVmxmd2uKWVGKym1aarDxXfv3GCN4mRX+Pn4c+py3S/6Kkt5eS # DAIIsrzKw3Kh2SW1hCwXX/k1v4b+NH1Fjl+i/xPJspXCFuZB4aC5FLT5fgbRKqns # WeAdn8DsrYQhT3QXLt6Nv3/dMzv7G/Cdpbdcoul8FYl+t3dmXM+SIClC3l2ae0wO # lNrQ42yQEycuPU5OoqLT85jsZ7+4CaScfFINlO7l7Y7r/xauqHbSPQ1r3oIC+e71 # 5s2G3ClZa3y99aYx2lnXYe1srcrIx8NAXTViiypXVn9ZGmEkfNcfDiqGQwkml5z9 # nm3pWiBZ69adaBBbAFEjyJG4y0a76bel/4sDCVvaZzLM3TFbxVO9BQrjZRtbJZbk # C3XArpLqZSfx53SuYdddxPX8pvcqFuEu8wcUeD05t9xNbJ4TtdAECJlEi0vvBxlm # M5tzFXy2qZeqPMXHSQYqPgZ9jvScZ6NwznFD0+33kbzyhOSz/WuGbAu4cHZG8gKn # lQVT4uA2Diex9DMs2WHiokNknYlLoUeWXW1QrJLpqO82TLyKTbBM/oZHAdIc0kzo # STro9b3+vjn2809D0+SOOCVZMIIHejCCBWKgAwIBAgIKYQ6Q0gAAAAAAAzANBgkq # hkiG9w0BAQsFADCBiDELMAkGA1UEBhMCVVMxEzARBgNVBAgTCldhc2hpbmd0b24x # EDAOBgNVBAcTB1JlZG1vbmQxHjAcBgNVBAoTFU1pY3Jvc29mdCBDb3Jwb3JhdGlv # bjEyMDAGA1UEAxMpTWljcm9zb2Z0IFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5 # IDIwMTEwHhcNMTEwNzA4MjA1OTA5WhcNMjYwNzA4MjEwOTA5WjB+MQswCQYDVQQG # EwJVUzETMBEGA1UECBMKV2FzaGluZ3RvbjEQMA4GA1UEBxMHUmVkbW9uZDEeMBwG # A1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMSgwJgYDVQQDEx9NaWNyb3NvZnQg # Q29kZSBTaWduaW5nIFBDQSAyMDExMIICIjANBgkqhkiG9w0BAQEFAAOCAg8AMIIC # CgKCAgEAq/D6chAcLq3YbqqCEE00uvK2WCGfQhsqa+laUKq4BjgaBEm6f8MMHt03 # a8YS2AvwOMKZBrDIOdUBFDFC04kNeWSHfpRgJGyvnkmc6Whe0t+bU7IKLMOv2akr # rnoJr9eWWcpgGgXpZnboMlImEi/nqwhQz7NEt13YxC4Ddato88tt8zpcoRb0Rrrg # OGSsbmQ1eKagYw8t00CT+OPeBw3VXHmlSSnnDb6gE3e+lD3v++MrWhAfTVYoonpy # 4BI6t0le2O3tQ5GD2Xuye4Yb2T6xjF3oiU+EGvKhL1nkkDstrjNYxbc+/jLTswM9 # sbKvkjh+0p2ALPVOVpEhNSXDOW5kf1O6nA+tGSOEy/S6A4aN91/w0FK/jJSHvMAh # dCVfGCi2zCcoOCWYOUo2z3yxkq4cI6epZuxhH2rhKEmdX4jiJV3TIUs+UsS1Vz8k # A/DRelsv1SPjcF0PUUZ3s/gA4bysAoJf28AVs70b1FVL5zmhD+kjSbwYuER8ReTB # w3J64HLnJN+/RpnF78IcV9uDjexNSTCnq47f7Fufr/zdsGbiwZeBe+3W7UvnSSmn # Eyimp31ngOaKYnhfsi+E11ecXL93KCjx7W3DKI8sj0A3T8HhhUSJxAlMxdSlQy90 # lfdu+HggWCwTXWCVmj5PM4TasIgX3p5O9JawvEagbJjS4NaIjAsCAwEAAaOCAe0w # ggHpMBAGCSsGAQQBgjcVAQQDAgEAMB0GA1UdDgQWBBRIbmTlUAXTgqoXNzcitW2o # ynUClTAZBgkrBgEEAYI3FAIEDB4KAFMAdQBiAEMAQTALBgNVHQ8EBAMCAYYwDwYD # VR0TAQH/BAUwAwEB/zAfBgNVHSMEGDAWgBRyLToCMZBDuRQFTuHqp8cx0SOJNDBa # BgNVHR8EUzBRME+gTaBLhklodHRwOi8vY3JsLm1pY3Jvc29mdC5jb20vcGtpL2Ny # bC9wcm9kdWN0cy9NaWNSb29DZXJBdXQyMDExXzIwMTFfMDNfMjIuY3JsMF4GCCsG # AQUFBwEBBFIwUDBOBggrBgEFBQcwAoZCaHR0cDovL3d3dy5taWNyb3NvZnQuY29t # L3BraS9jZXJ0cy9NaWNSb29DZXJBdXQyMDExXzIwMTFfMDNfMjIuY3J0MIGfBgNV # HSAEgZcwgZQwgZEGCSsGAQQBgjcuAzCBgzA/BggrBgEFBQcCARYzaHR0cDovL3d3 # dy5taWNyb3NvZnQuY29tL3BraW9wcy9kb2NzL3ByaW1hcnljcHMuaHRtMEAGCCsG # AQUFBwICMDQeMiAdAEwAZQBnAGEAbABfAHAAbwBsAGkAYwB5AF8AcwB0AGEAdABl # AG0AZQBuAHQALiAdMA0GCSqGSIb3DQEBCwUAA4ICAQBn8oalmOBUeRou09h0ZyKb # C5YR4WOSmUKWfdJ5DJDBZV8uLD74w3LRbYP+vj/oCso7v0epo/Np22O/IjWll11l # hJB9i0ZQVdgMknzSGksc8zxCi1LQsP1r4z4HLimb5j0bpdS1HXeUOeLpZMlEPXh6 # I/MTfaaQdION9MsmAkYqwooQu6SpBQyb7Wj6aC6VoCo/KmtYSWMfCWluWpiW5IP0 # wI/zRive/DvQvTXvbiWu5a8n7dDd8w6vmSiXmE0OPQvyCInWH8MyGOLwxS3OW560 # STkKxgrCxq2u5bLZ2xWIUUVYODJxJxp/sfQn+N4sOiBpmLJZiWhub6e3dMNABQam # ASooPoI/E01mC8CzTfXhj38cbxV9Rad25UAqZaPDXVJihsMdYzaXht/a8/jyFqGa # J+HNpZfQ7l1jQeNbB5yHPgZ3BtEGsXUfFL5hYbXw3MYbBL7fQccOKO7eZS/sl/ah # XJbYANahRr1Z85elCUtIEJmAH9AAKcWxm6U/RXceNcbSoqKfenoi+kiVH6v7RyOA # 9Z74v2u3S5fi63V4GuzqN5l5GEv/1rMjaHXmr/r8i+sLgOppO6/8MO0ETI7f33Vt # Y5E90Z1WTk+/gFcioXgRMiF670EKsT/7qMykXcGhiJtXcVZOSEXAQsmbdlsKgEhr # /Xmfwb1tbWrJUnMTDXpQzTGCGg8wghoLAgEBMIGVMH4xCzAJBgNVBAYTAlVTMRMw # EQYDVQQIEwpXYXNoaW5ndG9uMRAwDgYDVQQHEwdSZWRtb25kMR4wHAYDVQQKExVN # aWNyb3NvZnQgQ29ycG9yYXRpb24xKDAmBgNVBAMTH01pY3Jvc29mdCBDb2RlIFNp # Z25pbmcgUENBIDIwMTECEzMAAASFXpnsDlkvzdcAAAAABIUwDQYJYIZIAWUDBAIB # BQCggbAwGQYJKoZIhvcNAQkDMQwGCisGAQQBgjcCAQQwHAYKKwYBBAGCNwIBCzEO # MAwGCisGAQQBgjcCARUwLwYJKoZIhvcNAQkEMSIEIAFXDCKwhVCH7w9Y+wK1sR4y # 6QRZEvxD4hC9yuFne6twMEQGCisGAQQBgjcCAQwxNjA0oBSAEgBNAGkAYwByAG8A # cwBvAGYAdKEcgBpodHRwczovL3d3dy5taWNyb3NvZnQuY29tIDANBgkqhkiG9w0B # AQEFAASCAQBPHAxd2n5mazrI0x5M/fWaQAOERiaFYD/ZdTClxSFQmzHBMrAwIVOA # eh/bQ9Th9bEyHC8mIEyVk2dOAwd/zzTakuMmYvyu3PcTeCr9eL0RacZO0/0IovA5 # G+xJVmdhgZU32vH+Wpvg53elAvjWwPhuMXdeN39WInoAtu18N4t7gK5KcjRUSH6W # 8deJPXQICShiFJWY7w97AnhthjF7hfd5selBQLAvwpPE6tLLSvSI4fEUWxSVR11m # gADxVAroqm3vPzpyfAOSj9VQlqwKFUApoTpCvS7H/If0xEsZOdTKqoEpJyAD7ciC # 7fbvUm7nzSdEj1t/VHO/Sdo5jeMFANyBoYIXlzCCF5MGCisGAQQBgjcDAwExgheD # MIIXfwYJKoZIhvcNAQcCoIIXcDCCF2wCAQMxDzANBglghkgBZQMEAgEFADCCAVIG # CyqGSIb3DQEJEAEEoIIBQQSCAT0wggE5AgEBBgorBgEEAYRZCgMBMDEwDQYJYIZI # AWUDBAIBBQAEIHU8EBZHpAQyGwpLTRvpb7qKbppmVh4vNwuQUTrmnMUXAgZpO3aC # bawYEzIwMjYwMTA5MTMwNjExLjU0MlowBIACAfSggdGkgc4wgcsxCzAJBgNVBAYT # AlVTMRMwEQYDVQQIEwpXYXNoaW5ndG9uMRAwDgYDVQQHEwdSZWRtb25kMR4wHAYD # VQQKExVNaWNyb3NvZnQgQ29ycG9yYXRpb24xJTAjBgNVBAsTHE1pY3Jvc29mdCBB # bWVyaWNhIE9wZXJhdGlvbnMxJzAlBgNVBAsTHm5TaGllbGQgVFNTIEVTTjozMzAz # LTA1RTAtRDk0NzElMCMGA1UEAxMcTWljcm9zb2Z0IFRpbWUtU3RhbXAgU2Vydmlj # ZaCCEe0wggcgMIIFCKADAgECAhMzAAACD1eaRxRA5kbmAAEAAAIPMA0GCSqGSIb3 # DQEBCwUAMHwxCzAJBgNVBAYTAlVTMRMwEQYDVQQIEwpXYXNoaW5ndG9uMRAwDgYD # VQQHEwdSZWRtb25kMR4wHAYDVQQKExVNaWNyb3NvZnQgQ29ycG9yYXRpb24xJjAk # BgNVBAMTHU1pY3Jvc29mdCBUaW1lLVN0YW1wIFBDQSAyMDEwMB4XDTI1MDEzMDE5 # NDMwNFoXDTI2MDQyMjE5NDMwNFowgcsxCzAJBgNVBAYTAlVTMRMwEQYDVQQIEwpX # YXNoaW5ndG9uMRAwDgYDVQQHEwdSZWRtb25kMR4wHAYDVQQKExVNaWNyb3NvZnQg # Q29ycG9yYXRpb24xJTAjBgNVBAsTHE1pY3Jvc29mdCBBbWVyaWNhIE9wZXJhdGlv # bnMxJzAlBgNVBAsTHm5TaGllbGQgVFNTIEVTTjozMzAzLTA1RTAtRDk0NzElMCMG # A1UEAxMcTWljcm9zb2Z0IFRpbWUtU3RhbXAgU2VydmljZTCCAiIwDQYJKoZIhvcN # AQEBBQADggIPADCCAgoCggIBAKXoNO6vF/rqjvcbQDbIqjX+di8hMFCx3nQXnZJD # OjZxKu34QMQUIOVLFnNYkPu6NDVnV0xsxPpiErslS/DFD4uRBe/aT/e/fHDzEnaa # Fe7BtP6zVY4vT72D0A4QAAzpYaMLMj8tmrf+3MevnqKf9n76j/aygaHIaEowPBaX # gngvUWfyd22gzVIGJs92qbCY9ekH1C1o/5MI4LW8BoZA52ypdDwB2UrpW6T3Jb23 # LtLSRE/WdeQWx4zfc3MG7/+5tqgkdvVx5g9nhTgQ5cEeL/aDT1ZEv1BYi0eM8Yli # O4nRyTKs4bWSx8BlY/4G7w9cCrizUFr+H+deFcDC7FOGm9oVvhPRs6Ng7+HYs9Ft # 0Mxwx9L1luGrXSFc/pkUdHRFEn6uvkDwgP2XRSChS7+A28KocIyjDP3u52jt5Y4M # DstpW/zUUcdjDdfkNJNSonqnA/7/SXFq3FqNtIaybbrvOpU2y7NSgXYXM8z5hQjC # I6mBC++NggGQH4pTBl/a9Eg9aaEATNZkAZOjH/S+Ph4eDHARH1+lOFyxtkZLHHSc # vngfP4vfoonIRWKj6glW9TGbvlgQRJpOHVGcvQOWz3WwHDqa8qs7Y740JtS1/H5x # BdhLQlxZl5/zXQFb0Gf94i+jDcpzHR1W6oN8hZ9buKZ5MsAr1AAST6hkInNRRO+G # HaFhAgMBAAGjggFJMIIBRTAdBgNVHQ4EFgQUmdQxDY63ICEtH8wPaq0n2UpE/1kw # HwYDVR0jBBgwFoAUn6cVXQBeYl2D9OXSZacbUzUZ6XIwXwYDVR0fBFgwVjBUoFKg # UIZOaHR0cDovL3d3dy5taWNyb3NvZnQuY29tL3BraW9wcy9jcmwvTWljcm9zb2Z0 # JTIwVGltZS1TdGFtcCUyMFBDQSUyMDIwMTAoMSkuY3JsMGwGCCsGAQUFBwEBBGAw # XjBcBggrBgEFBQcwAoZQaHR0cDovL3d3dy5taWNyb3NvZnQuY29tL3BraW9wcy9j # ZXJ0cy9NaWNyb3NvZnQlMjBUaW1lLVN0YW1wJTIwUENBJTIwMjAxMCgxKS5jcnQw # DAYDVR0TAQH/BAIwADAWBgNVHSUBAf8EDDAKBggrBgEFBQcDCDAOBgNVHQ8BAf8E # BAMCB4AwDQYJKoZIhvcNAQELBQADggIBAFOjBujVtQTt9dPL65b2bnyoYRdEEZUw # RCIUR9K6LV+E3uNL6RKI3RJHkqXcC5Xj3E7GAej34Yid7kymDmfg1Lk9bydYhYaP # /yOQTel0llK8BlqtcPiXjeIw3EOF0FmpUKQBhx0VVmfF3L7bkxFjpF9obCSKeOdg # 0UDoNgv/VzHDphrixfJXsWA90ybFWl9+c8QMW/iZxXHeO89mh3uCqINxQdvJXWBo # 0Pc96PInUwZ8FhsBDGzKctfUVSxYvAqw09EmPKfCXMFP85BvGfOSMuJuLiHh07Bw # 34fibIO1RKdir1d/hi8WVn6Ymzli3HhT0lULJb9YRG0gSJ5O9NGC8BiP/gyHUXYS # V/xx0guDOL17Oph5/F2wEPxWLHfnIwLktOcNSjJVW6VR54MAljz7pgFu1ci3LimE # iSKGIgezJZXFbZgYboDpRZ6e7BjrP2gE428weWq0PftnIufSHWQKSSnmRwgiEy2n # MRw+R+qWRsNWiAyhbLzTG6XG3rg/j7VgjORGG3fNM76Ms427WmYG37wRSHsNVy3/ # fe25bk05LHnqNdDVN050UGmBxbwe8mKLyyZDVNA/jYc0gogljlqIyQr0zYejFitD # LYygc04/JKw7OveV7/hIN1fru6hsaRQ16uUkrMqlNHllTRJ40C7mgLINvqB21OJo # 3nSUILqbjixeMIIHcTCCBVmgAwIBAgITMwAAABXF52ueAptJmQAAAAAAFTANBgkq # hkiG9w0BAQsFADCBiDELMAkGA1UEBhMCVVMxEzARBgNVBAgTCldhc2hpbmd0b24x # EDAOBgNVBAcTB1JlZG1vbmQxHjAcBgNVBAoTFU1pY3Jvc29mdCBDb3Jwb3JhdGlv # bjEyMDAGA1UEAxMpTWljcm9zb2Z0IFJvb3QgQ2VydGlmaWNhdGUgQXV0aG9yaXR5 # IDIwMTAwHhcNMjEwOTMwMTgyMjI1WhcNMzAwOTMwMTgzMjI1WjB8MQswCQYDVQQG # EwJVUzETMBEGA1UECBMKV2FzaGluZ3RvbjEQMA4GA1UEBxMHUmVkbW9uZDEeMBwG # A1UEChMVTWljcm9zb2Z0IENvcnBvcmF0aW9uMSYwJAYDVQQDEx1NaWNyb3NvZnQg # VGltZS1TdGFtcCBQQ0EgMjAxMDCCAiIwDQYJKoZIhvcNAQEBBQADggIPADCCAgoC # ggIBAOThpkzntHIhC3miy9ckeb0O1YLT/e6cBwfSqWxOdcjKNVf2AX9sSuDivbk+ # F2Az/1xPx2b3lVNxWuJ+Slr+uDZnhUYjDLWNE893MsAQGOhgfWpSg0S3po5GawcU # 88V29YZQ3MFEyHFcUTE3oAo4bo3t1w/YJlN8OWECesSq/XJprx2rrPY2vjUmZNqY # O7oaezOtgFt+jBAcnVL+tuhiJdxqD89d9P6OU8/W7IVWTe/dvI2k45GPsjksUZzp # cGkNyjYtcI4xyDUoveO0hyTD4MmPfrVUj9z6BVWYbWg7mka97aSueik3rMvrg0Xn # Rm7KMtXAhjBcTyziYrLNueKNiOSWrAFKu75xqRdbZ2De+JKRHh09/SDPc31BmkZ1 # zcRfNN0Sidb9pSB9fvzZnkXftnIv231fgLrbqn427DZM9ituqBJR6L8FA6PRc6ZN # N3SUHDSCD/AQ8rdHGO2n6Jl8P0zbr17C89XYcz1DTsEzOUyOArxCaC4Q6oRRRuLR # vWoYWmEBc8pnol7XKHYC4jMYctenIPDC+hIK12NvDMk2ZItboKaDIV1fMHSRlJTY # uVD5C4lh8zYGNRiER9vcG9H9stQcxWv2XFJRXRLbJbqvUAV6bMURHXLvjflSxIUX # k8A8FdsaN8cIFRg/eKtFtvUeh17aj54WcmnGrnu3tz5q4i6tAgMBAAGjggHdMIIB # 2TASBgkrBgEEAYI3FQEEBQIDAQABMCMGCSsGAQQBgjcVAgQWBBQqp1L+ZMSavoKR # PEY1Kc8Q/y8E7jAdBgNVHQ4EFgQUn6cVXQBeYl2D9OXSZacbUzUZ6XIwXAYDVR0g # BFUwUzBRBgwrBgEEAYI3TIN9AQEwQTA/BggrBgEFBQcCARYzaHR0cDovL3d3dy5t # aWNyb3NvZnQuY29tL3BraW9wcy9Eb2NzL1JlcG9zaXRvcnkuaHRtMBMGA1UdJQQM # MAoGCCsGAQUFBwMIMBkGCSsGAQQBgjcUAgQMHgoAUwB1AGIAQwBBMAsGA1UdDwQE # AwIBhjAPBgNVHRMBAf8EBTADAQH/MB8GA1UdIwQYMBaAFNX2VsuP6KJcYmjRPZSQ # W9fOmhjEMFYGA1UdHwRPME0wS6BJoEeGRWh0dHA6Ly9jcmwubWljcm9zb2Z0LmNv # bS9wa2kvY3JsL3Byb2R1Y3RzL01pY1Jvb0NlckF1dF8yMDEwLTA2LTIzLmNybDBa # BggrBgEFBQcBAQROMEwwSgYIKwYBBQUHMAKGPmh0dHA6Ly93d3cubWljcm9zb2Z0 # LmNvbS9wa2kvY2VydHMvTWljUm9vQ2VyQXV0XzIwMTAtMDYtMjMuY3J0MA0GCSqG # SIb3DQEBCwUAA4ICAQCdVX38Kq3hLB9nATEkW+Geckv8qW/qXBS2Pk5HZHixBpOX # PTEztTnXwnE2P9pkbHzQdTltuw8x5MKP+2zRoZQYIu7pZmc6U03dmLq2HnjYNi6c # qYJWAAOwBb6J6Gngugnue99qb74py27YP0h1AdkY3m2CDPVtI1TkeFN1JFe53Z/z # jj3G82jfZfakVqr3lbYoVSfQJL1AoL8ZthISEV09J+BAljis9/kpicO8F7BUhUKz # /AyeixmJ5/ALaoHCgRlCGVJ1ijbCHcNhcy4sa3tuPywJeBTpkbKpW99Jo3QMvOyR # gNI95ko+ZjtPu4b6MhrZlvSP9pEB9s7GdP32THJvEKt1MMU0sHrYUP4KWN1APMdU # bZ1jdEgssU5HLcEUBHG/ZPkkvnNtyo4JvbMBV0lUZNlz138eW0QBjloZkWsNn6Qo # 3GcZKCS6OEuabvshVGtqRRFHqfG3rsjoiV5PndLQTHa1V1QJsWkBRH58oWFsc/4K # u+xBZj1p/cvBQUl+fpO+y/g75LcVv7TOPqUxUYS8vwLBgqJ7Fx0ViY1w/ue10Cga # iQuPNtq6TPmb/wrpNPgkNWcr4A245oyZ1uEi6vAnQj0llOZ0dFtq0Z4+7X6gMTN9 # vMvpe784cETRkPHIqzqKOghif9lwY1NNje6CbaUFEMFxBmoQtB1VM1izoXBm8qGC # A1AwggI4AgEBMIH5oYHRpIHOMIHLMQswCQYDVQQGEwJVUzETMBEGA1UECBMKV2Fz # aGluZ3RvbjEQMA4GA1UEBxMHUmVkbW9uZDEeMBwGA1UEChMVTWljcm9zb2Z0IENv # cnBvcmF0aW9uMSUwIwYDVQQLExxNaWNyb3NvZnQgQW1lcmljYSBPcGVyYXRpb25z # MScwJQYDVQQLEx5uU2hpZWxkIFRTUyBFU046MzMwMy0wNUUwLUQ5NDcxJTAjBgNV # BAMTHE1pY3Jvc29mdCBUaW1lLVN0YW1wIFNlcnZpY2WiIwoBATAHBgUrDgMCGgMV # AF60jOPYL8yR2IjTcTI2wK1I4x1aoIGDMIGApH4wfDELMAkGA1UEBhMCVVMxEzAR # BgNVBAgTCldhc2hpbmd0b24xEDAOBgNVBAcTB1JlZG1vbmQxHjAcBgNVBAoTFU1p # Y3Jvc29mdCBDb3Jwb3JhdGlvbjEmMCQGA1UEAxMdTWljcm9zb2Z0IFRpbWUtU3Rh # bXAgUENBIDIwMTAwDQYJKoZIhvcNAQELBQACBQDtCtwOMCIYDzIwMjYwMTA5MDE0 # NDQ2WhgPMjAyNjAxMTAwMTQ0NDZaMHcwPQYKKwYBBAGEWQoEATEvMC0wCgIFAO0K # 3A4CAQAwCgIBAAICIM0CAf8wBwIBAAICE/gwCgIFAO0MLY4CAQAwNgYKKwYBBAGE # WQoEAjEoMCYwDAYKKwYBBAGEWQoDAqAKMAgCAQACAwehIKEKMAgCAQACAwGGoDAN # BgkqhkiG9w0BAQsFAAOCAQEAJ3t18mNjQ2eAL075MpsyG2zYNQynrHXi+gWFClJc # hVNUek9OXs1lC6OONQ1lqCtNO27hL3jv4Lc/oLEnuVwKLMlZYeQAzn2IJmLDdnWB # krtbyOgXymkfJs5t4hzOeJggPqNYFhY6MzhDU9BNMjS3FJZ2HHJEu/IQy7iWG1o6 # z9RPZF/fOWdtg882F6QcDuCJtAJCtcxnNLJFwJwX/3wNEEJcYAQjil+DvPK0wVrw # dehwV6RxQ6UMDHOiumtT3QofdDr96BWPGAwdr4/Lozq24CyklOJ6p4CWRPZTPK1K # KhA2crMv7mSRuFhpYXP7wb6TT7gW+UDiQdvxT+nT0IDkdjGCBA0wggQJAgEBMIGT # MHwxCzAJBgNVBAYTAlVTMRMwEQYDVQQIEwpXYXNoaW5ndG9uMRAwDgYDVQQHEwdS # ZWRtb25kMR4wHAYDVQQKExVNaWNyb3NvZnQgQ29ycG9yYXRpb24xJjAkBgNVBAMT # HU1pY3Jvc29mdCBUaW1lLVN0YW1wIFBDQSAyMDEwAhMzAAACD1eaRxRA5kbmAAEA # AAIPMA0GCWCGSAFlAwQCAQUAoIIBSjAaBgkqhkiG9w0BCQMxDQYLKoZIhvcNAQkQ # AQQwLwYJKoZIhvcNAQkEMSIEIIkWGuhhw9mgUEAz8rK2OBLz2iO/6/bNEeoO2R9t # RdMcMIH6BgsqhkiG9w0BCRACLzGB6jCB5zCB5DCBvQQg3Ud3lSYqebsVbvE/eeIa # x8cm3jFHxe74zGBddzSKqfgwgZgwgYCkfjB8MQswCQYDVQQGEwJVUzETMBEGA1UE # CBMKV2FzaGluZ3RvbjEQMA4GA1UEBxMHUmVkbW9uZDEeMBwGA1UEChMVTWljcm9z # b2Z0IENvcnBvcmF0aW9uMSYwJAYDVQQDEx1NaWNyb3NvZnQgVGltZS1TdGFtcCBQ # Q0EgMjAxMAITMwAAAg9XmkcUQOZG5gABAAACDzAiBCCDFiFHfbamEWglK/QwisUB # WVGNhfIFH8C/LqYPiB6UhzANBgkqhkiG9w0BAQsFAASCAgBFQwlkLk7lqJJMLv++ # Rc6M42fI1nHUyCVNdPoJZOHPLBtlEa8cDFuVDGWvjezNddj25oUP9nfu3z6coAiV # 96aylp5lvsPSinRZ/J3Yfq1eoD//hBrxkvVoX7c32h7gwN8Ehq/y9gbVdYw3aUtv # 9ktMJ9bbKKerI1AfnYRZvxSiGV2J8+73FCWAbLMMhuG5WedDvmVpoNZmn+p4AhbP # rEhZUUd++Oy6aI9mQNEmNUDABrYnCoiedbkeCfnxP0T1W/ZA8fJKNTEjdQoT9sFU # 2V8OXPabu/AbPxcC8uWZsyIGx67R7sWc6X1BO4khm5eaFUtGODFryTmRF7xztw/B # BQsNh4SsYE735yoBY8Z2QdgBfZWtNRzaDbaSZFWmHCRmkuc79ONnmLSZ9+QVsxno # rHh1Q5QDCOYYFQ+Bwz1KRQVm33wa9PRrNsjXDIgWOr6E+lA32kA6iXLUrRf5RKQW # fUJ30nR+fbqV01Rja0WAfyO1HVi/idUFT6lQJduYpaKb4DeGc6Pi2ohYK8phK9yx # dAMXuCaWWeus6qmI4W2WWq7oQDAm2WXKwhKfdC9vhkWMry0SbqSiPUBoh8z1wJfX # JVtkBVsVspz2DI9PsdDZLlKZ5pw8QAqV4rHFfNn++Gj+Jd8UoUOUeZwJEptQRDYs # Jm5LB99UQmiAy1K5z8QglyY3tA== # SIG # End signature block |