diff --git a/src/azure-cli/azure/cli/command_modules/appservice/_deployment_context_engine.py b/src/azure-cli/azure/cli/command_modules/appservice/_deployment_context_engine.py new file mode 100644 index 00000000000..c4621229bba --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/_deployment_context_engine.py @@ -0,0 +1,359 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +""" +Context-enriched error builder for az webapp deploy. + +Instead of raising a bare "Status Code: 504" error, this module builds a structured +diagnostic context block that includes the error code, deployment stage, runtime info, +suggested fixes, and a ready-to-use Copilot prompt. + +Enabled via the --enriched-errors flag on az webapp deploy. +""" + +import re + +from knack.log import get_logger +from knack.util import CLIError + +from ._deployment_failure_patterns import match_failure_pattern + +logger = get_logger(__name__) + + +class EnrichedDeploymentError(CLIError): + """A CLIError subclass for context-enriched deployment failures. + + Used to reliably detect already-enriched errors without brittle + string-matching on the error message text. + """ + + +# Patterns that reliably indicate an HTTP status code in CLI error messages. +# Ordered from most specific to least specific; first match wins. +_STATUS_CODE_PATTERNS = [ + re.compile(r'Status\s*Code[:\s]+(\d{3})', re.IGNORECASE), # "Status Code: 400" + re.compile(r'\((([45]\d{2}))\)'), # "Bad Request(400)" + re.compile(r'HTTP\s+(\d{3})', re.IGNORECASE), # "HTTP 504" + re.compile( + r'\b([45]\d{2})\s+(?:Bad|Unauthorized|Forbidden|Not\s+Found|Conflict' + r'|Too\s+Many|Internal|Gateway|Service)', re.IGNORECASE), # "400 Bad Request" +] + + +def extract_status_code_from_message(message): + """Extract an HTTP status code (4xx/5xx) from a CLI error message string. + + Uses targeted patterns ("Status Code: 400", "Bad Request(400)", "HTTP 504", + "400 Bad Request") rather than blindly matching any 3-digit number, to avoid + false positives from port numbers, exit codes, or counts. + + Returns the integer status code, or None if no recognisable code is found. + """ + if not message: + return None + for pattern in _STATUS_CODE_PATTERNS: + m = pattern.search(message) + if m: + code = int(m.group(1)) + if 400 <= code <= 599: + return code + return None + + +def _get_app_runtime(cmd, resource_group_name, webapp_name, slot=None): + """Fetch the runtime name/version from the webapp config.""" + try: + from ._client_factory import web_client_factory + client = web_client_factory(cmd.cli_ctx) + if slot: + config = client.web_apps.get_configuration_slot(resource_group_name, webapp_name, slot) + else: + config = client.web_apps.get_configuration(resource_group_name, webapp_name) + # Linux apps store runtime in linux_fx_version (e.g. "PYTHON|3.11") + if config.linux_fx_version: + return config.linux_fx_version + # Windows apps: check e.g. net_framework_version, java_version, python_version, etc. + for attr in ('net_framework_version', 'java_version', 'python_version', + 'php_version', 'node_version', 'power_shell_version'): + val = getattr(config, attr, None) + if val: + return f"{attr.replace('_version', '').replace('_', ' ').title()} {val}" + return "Unknown" + except Exception: # pylint: disable=broad-except + return "Unknown" + + +def _get_app_region(cmd, resource_group_name, webapp_name): + """Fetch the Azure region of the web app.""" + try: + from ._client_factory import web_client_factory + client = web_client_factory(cmd.cli_ctx) + app = client.web_apps.get(resource_group_name, webapp_name) + return app.location if app else "Unknown" + except Exception: # pylint: disable=broad-except + return "Unknown" + + +def _get_app_region_and_plan_sku(cmd, resource_group_name, webapp_name): + """Fetch the Azure region and App Service plan SKU in a single API call. + + Returns (region, sku) tuple. Falls back to ("Unknown", "Unknown"). + """ + try: + from ._client_factory import web_client_factory + from azure.mgmt.core.tools import parse_resource_id + client = web_client_factory(cmd.cli_ctx) + app = client.web_apps.get(resource_group_name, webapp_name) + region = app.location if app else "Unknown" + sku = "Unknown" + if app and app.server_farm_id: + plan_parts = parse_resource_id(app.server_farm_id) + plan = client.app_service_plans.get(plan_parts['resource_group'], plan_parts['name']) + if plan and plan.sku: + sku = plan.sku.name + return region, sku + except Exception: # pylint: disable=broad-except + return "Unknown", "Unknown" + + +def _get_app_plan_sku(cmd, resource_group_name, webapp_name): + """Fetch the App Service plan SKU (e.g. B1, P1V2).""" + try: + from ._client_factory import web_client_factory + from azure.mgmt.core.tools import parse_resource_id + client = web_client_factory(cmd.cli_ctx) + app = client.web_apps.get(resource_group_name, webapp_name) + if app and app.server_farm_id: + plan_parts = parse_resource_id(app.server_farm_id) + plan = client.app_service_plans.get(plan_parts['resource_group'], plan_parts['name']) + if plan and plan.sku: + return plan.sku.name + return "Unknown" + except Exception: # pylint: disable=broad-except + return "Unknown" + + +def _determine_deployment_type(params=None, *, src_url=None, artifact_type=None): + """Infer the deployment mechanism from params object or explicit kwargs. + + When *params* is supplied the values are read from it; explicit kwargs + override the params-derived values when both are provided. + """ + _src_url = src_url if src_url is not None else (getattr(params, 'src_url', None) if params else None) + _artifact = artifact_type if artifact_type is not None else ( + getattr(params, 'artifact_type', None) if params else None) + + if _src_url: + return "OneDeploy (URL-based)" + + _ARTIFACT_TYPE_MAP = { + 'zip': 'ZipDeploy', 'war': 'WarDeploy', 'jar': 'JarDeploy', + 'ear': 'EarDeploy', 'startup': 'StartupFile', 'static': 'StaticDeploy' + } + return _ARTIFACT_TYPE_MAP.get(_artifact, "OneDeploy") + + +def build_enriched_error_context(params=None, *, cmd=None, resource_group_name=None, # pylint: disable=too-many-locals + webapp_name=None, slot=None, src_url=None, + artifact_type=None, status_code=None, error_message=None, + deployment_status=None, deployment_properties=None, + last_known_step=None, kudu_status=None): + """ + Build a structured context-enriched error dict for a deployment failure. + + Accepts either a *params* object (``OneDeployParams``) **or** individual + keyword arguments — callers that already have a params object can keep + passing it; callers in code-paths that don't (e.g. zipdeploy) can pass + the relevant values directly. Explicit kwargs override params values. + + Parameters + ---------- + params : OneDeployParams, optional + The deployment parameters object. + cmd, resource_group_name, webapp_name, slot, src_url, artifact_type : + Individual app-context values; used when *params* is not supplied. + status_code : int, optional + HTTP status code of the failed response. + error_message : str, optional + Raw error message / response body text. + deployment_status : str, optional + Deployment status string (e.g. RuntimeFailed, BuildFailed). + deployment_properties : dict, optional + Full deployment properties dict from the status API. + last_known_step : str, optional + The last step that completed successfully. + kudu_status : str, optional + The SCM/Kudu HTTP status if available. + + Returns + ------- + dict + Structured error context ready for display. + """ + # Normalise — extract from params when available, explicit kwargs win + _cmd = cmd or (params.cmd if params else None) + _rg = resource_group_name or (params.resource_group_name if params else None) + _name = webapp_name or (params.webapp_name if params else None) + _slot = slot if slot is not None else ( + getattr(params, 'slot', None) if params else None) + _src_url = src_url if src_url is not None else ( + getattr(params, 'src_url', None) if params else None) + _artifact = artifact_type if artifact_type is not None else ( + getattr(params, 'artifact_type', None) if params else None) + + pattern = match_failure_pattern( + status_code=status_code, + error_message=error_message, + deployment_status=deployment_status + ) + + # Build base context + context = {} + + if pattern: + context["errorCode"] = pattern["errorCode"] + context["stage"] = pattern["stage"] + else: + context["errorCode"] = f"HTTP_{status_code}" if status_code else "UnknownDeploymentError" + context["stage"] = deployment_status or "Unknown" + + # App metadata (best-effort) + if _cmd and _rg and _name: + context["runtime"] = _get_app_runtime(_cmd, _rg, _name, _slot) + region, plan_sku = _get_app_region_and_plan_sku(_cmd, _rg, _name) + context["region"] = region + context["planSku"] = plan_sku + else: + context["runtime"] = "Unknown" + context["region"] = "Unknown" + context["planSku"] = "Unknown" + + context["deploymentType"] = _determine_deployment_type( + params, src_url=_src_url, artifact_type=_artifact + ) + + # Suggested fixes + if pattern: + context["suggestedFixes"] = pattern["suggestedFixes"] + else: + context["suggestedFixes"] = [ + "Check deployment logs: 'az webapp log deployment show -n {} -g {}'".format( + _name or '', _rg or ''), + "Check runtime logs: 'az webapp log tail -n {} -g {}'".format( + _name or '', _rg or '') + ] + + # Extra diagnostics + if last_known_step: + context["lastKnownStep"] = last_known_step + if kudu_status: + context["kuduStatus"] = str(kudu_status) + + # Instance counts from deployment properties + if deployment_properties: + for key in ('numberOfInstancesInProgress', 'numberOfInstancesSuccessful', + 'numberOfInstancesFailed'): + val = deployment_properties.get(key) + if val is not None: + try: + context.setdefault("instanceStatus", {})[key] = int(val) + except (TypeError, ValueError): + # Ignore non-numeric values to avoid masking the original error + continue + errors = deployment_properties.get('errors') + if errors: + context["deploymentErrors"] = [ + {"code": e.get('extendedCode', ''), "message": e.get('message', '')} + for e in errors[:3] # cap at 3 + ] + logs = deployment_properties.get('failedInstancesLogs') + if logs: + context["failedInstanceLogs"] = logs[0] if len(logs) == 1 else logs + + # Raw details + if error_message: + if len(error_message) > 500: + context["rawError"] = error_message[:500] + "... [truncated]" + else: + context["rawError"] = error_message + + return context + + +def format_enriched_error_message(context): + """ + Format the structured context dict into a human-readable error message. + + The output is a single formatted block with diagnostics and a Copilot prompt. + """ + lines = [] + lines.append("") + lines.append("=" * 72) + lines.append("DEPLOYMENT FAILED: Context-Enriched Diagnostics") + lines.append("=" * 72) + lines.append("") + + lines.append(f"Error Code : {context.get('errorCode', 'Unknown')}") + lines.append(f"Stage : {context.get('stage', 'Unknown')}") + lines.append(f"Runtime : {context.get('runtime', 'Unknown')}") + lines.append(f"Deploy Type : {context.get('deploymentType', 'Unknown')}") + lines.append(f"Region : {context.get('region', 'Unknown')}") + lines.append(f"Plan SKU : {context.get('planSku', 'Unknown')}") + lines.append("") + + if context.get("rawError"): + lines.append(f"Raw Error : {context['rawError']}") + lines.append("") + + fixes = context.get("suggestedFixes", []) + if fixes: + lines.append("Suggested Fixes:") + for f in fixes: + lines.append(f" - {f}") + lines.append("") + + # Copilot prompt + lines.append("-" * 72) + lines.append("Ask Copilot:") + lines.append(" Paste the error above into GitHub Copilot Chat, or run:") + lines.append(' gh copilot explain "why did my deployment fail with') + lines.append(f' {context.get("errorCode", "this error")} and what should I do"') + lines.append("-" * 72) + + return "\n".join(lines) + + +def raise_enriched_deployment_error(params=None, *, cmd=None, resource_group_name=None, + webapp_name=None, slot=None, src_url=None, + artifact_type=None, status_code=None, error_message=None, + deployment_status=None, deployment_properties=None, + last_known_step=None, kudu_status=None): + """ + Build context-enriched diagnostics and raise a CLIError. + + This is the main entry-point called from the deployment code paths. + Accepts either a *params* object or individual keyword arguments. + """ + context = build_enriched_error_context( + params=params, + cmd=cmd, + resource_group_name=resource_group_name, + webapp_name=webapp_name, + slot=slot, + src_url=src_url, + artifact_type=artifact_type, + status_code=status_code, + error_message=error_message, + deployment_status=deployment_status, + deployment_properties=deployment_properties, + last_known_step=last_known_step, + kudu_status=kudu_status + ) + + logger.debug("Deployment failure context: %s", context) + + message = format_enriched_error_message(context) + raise EnrichedDeploymentError(message) diff --git a/src/azure-cli/azure/cli/command_modules/appservice/_deployment_failure_patterns.py b/src/azure-cli/azure/cli/command_modules/appservice/_deployment_failure_patterns.py new file mode 100644 index 00000000000..ed8ab2c3984 --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/_deployment_failure_patterns.py @@ -0,0 +1,542 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +""" +Well-known Kudu deployment failure patterns for az webapp deploy / az functionapp deploy. + +Each pattern maps an errorCode to its deployment stage and suggested fixes. +Error codes and messages are sourced from the KuduLite deployment engine. +These patterns are used by the context-enriched error handler to produce actionable diagnostics +instead of generic HTTP status code messages. +""" + +DEPLOYMENT_FAILURE_PATTERNS = [ + # ----------------------------------------------------------------------- + # 400 Bad Request — OneDeploy / general request validation + # ----------------------------------------------------------------------- + { + "errorCode": "DeploymentFailed", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Check the deployment request body and packageUri for correctness", + "Verify the artifact is a valid deployment package", + "Check deployment logs: 'az webapp log deployment show'" + ] + }, + { + "errorCode": "InvalidArtifactType", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Use a supported artifact type: zip, war, jar, ear, lib, startup, static, script", + "Check the 'type' query parameter in the deploy request" + ] + }, + { + "errorCode": "ArtifactStackMismatch", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Ensure the artifact type matches the app's runtime stack (e.g., war requires Tomcat)", + "Check 'az webapp config show' for the current linuxFxVersion or windowsFxVersion", + "Update the runtime stack via 'az webapp config set --linux-fx-version'" + ] + }, + { + "errorCode": "MissingDeployPath", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Provide the 'path' query parameter for type=lib, type=script, or type=static", + "Review the OneDeploy API documentation for required parameters" + ] + }, + { + "errorCode": "InvalidDeployPath", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Remove trailing '/' from the deploy path", + "Use an absolute path; do not include '..' path segments", + "Review the deploy path for correct format" + ] + }, + { + "errorCode": "InvalidPackageUri", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Verify the packageUri is a valid, accessible URL", + "Ensure the packageUri is not empty or null in the JSON request body", + "Test the package URL is reachable from your network" + ] + }, + { + "errorCode": "CleanDeployForbidden", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Do not use clean=true when deploying to /home or /home/site", + "Change the deploy path to a subdirectory (e.g., /home/site/wwwroot)", + "Remove the 'clean=true' parameter from the deploy request" + ] + }, + { + "errorCode": "InvalidDeploymentStatus", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Only mark deployments with 'Success' status as active", + "Verify the deployment completed successfully before setting it as active" + ] + }, + { + "errorCode": "NoFileUploaded", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Ensure a file is included in the deployment request body", + "Check that the upload did not fail silently due to a network issue", + "Retry the deployment with the correct file" + ] + }, + { + "errorCode": "UnsupportedFileType", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Only .zip files are supported for QuickDeploy", + "Package your application as a .zip file before deploying", + "Use OneDeploy for non-zip artifact types" + ] + }, + { + "errorCode": "QuickDeployPrepareFailed", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Retry the deployment", + "Check available disk space on the App Service plan", + "Reduce the deployment artifact size" + ] + }, + { + "errorCode": "QuickDeployInitFailed", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Retry the deployment", + "Restart the SCM site and try again", + "Check deployment logs for initialization errors" + ] + }, + { + "errorCode": "InvalidDeploymentId", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Provide a valid GUID format for the deployment ID", + "Omit the deployment ID to let the system generate one" + ] + }, + # ----------------------------------------------------------------------- + # 400 Bad Request — ZipDeploy validation + # ----------------------------------------------------------------------- + { + "errorCode": "ZipDeployMalformedUri", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Verify the package URI is well-formed (scheme, host, path)", + "Test the package URL independently before deploying" + ] + }, + { + "errorCode": "ZipDeployUriInaccessible", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Verify the package URL is reachable from the App Service network", + "Check SAS token expiration if using Azure Storage", + "Ensure any firewall rules allow access from App Service" + ] + }, + { + "errorCode": "ZipDeployInsufficientDisk", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Reduce the deployment package size", + "Scale up the App Service plan for more disk space", + "Clean up previous deployments or temp files on the app" + ] + }, + { + "errorCode": "ZipDeployRuntimeMismatch", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Ensure the zip package language matches FUNCTIONS_WORKER_RUNTIME", + "Update FUNCTIONS_WORKER_RUNTIME app setting to match the deployed code", + "Check 'az functionapp config appsettings list' for FUNCTIONS_WORKER_RUNTIME" + ] + }, + { + "errorCode": "ZipDeployRunFromPackageConflict", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Remove or update the WEBSITE_RUN_FROM_PACKAGE app setting pointing to a remote URL", + "Use 'az webapp config appsettings set' to clear WEBSITE_RUN_FROM_PACKAGE", + "Deploy directly instead of using run-from-package" + ] + }, + { + "errorCode": "UnsupportedArtifactType", + "stage": "Deployment", + "httpStatus": 400, + "suggestedFixes": [ + "Use a supported artifact type: zip, war, jar, ear, lib, startup, static, script", + "Check 'az webapp deploy --help' for valid type values" + ] + }, + # ----------------------------------------------------------------------- + # 403 Forbidden + # ----------------------------------------------------------------------- + { + "errorCode": "ScmDisabled", + "stage": "Deployment", + "httpStatus": 403, + "suggestedFixes": [ + "SCM (Kudu) site is disabled for this app", + "Check scmType in site config: 'az webapp config show --query scmType'", + "Enable SCM via the Azure portal under Configuration > General settings" + ] + }, + # ----------------------------------------------------------------------- + # 404 Not Found + # ----------------------------------------------------------------------- + { + "errorCode": "RepositoryNotFound", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Perform an initial deployment before attempting redeployment", + "Verify the app has a git repository initialized on the SCM site" + ] + }, + { + "errorCode": "DeploymentNotFound", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Verify the deployment ID is correct", + "List deployment logs: 'az webapp log deployment show'", + "The deployment may have been cleaned up; redeploy instead" + ] + }, + { + "errorCode": "LogNotFound", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Verify the deployment ID and log ID are correct", + "List deployment logs: 'az webapp log deployment show'" + ] + }, + { + "errorCode": "NoDeploymentsExist", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Deploy the website first before requesting a deployment script", + "Use 'az webapp deploy' to deploy" + ] + }, + { + "errorCode": "CustomDeployScriptInUse", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "This operation is not supported when a custom deployment script is configured", + "Remove the custom deployment script (.deployment file) if not needed" + ] + }, + { + "errorCode": "QuickDeployDisabled", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Enable the QuickDeploy feature flag on the app", + "Use standard ZipDeploy or OneDeploy instead" + ] + }, + { + "errorCode": "RouteNotFound", + "stage": "Deployment", + "httpStatus": 404, + "suggestedFixes": [ + "Verify the deployment API endpoint path is correct", + "Check the Kudu/SCM API documentation for valid routes" + ] + }, + # ----------------------------------------------------------------------- + # 409 Conflict + # ----------------------------------------------------------------------- + { + "errorCode": "AutoSwapInProgress", + "stage": "Deployment", + "httpStatus": 409, + "suggestedFixes": [ + "Wait for the auto swap operation to complete before deploying", + "Check slot swap status: 'az webapp deployment slot list'", + "Retry the deployment after the swap finishes" + ] + }, + { + "errorCode": "DeploymentInProgress", + "stage": "Deployment", + "httpStatus": 409, + "suggestedFixes": [ + "Wait for the current deployment to complete before starting a new one", + "Check deployment status: 'az webapp deployment show'", + "If stuck, restart the SCM site to release the deployment lock" + ] + }, + { + "errorCode": "RunFromRemoteZipConfigured", + "stage": "Deployment", + "httpStatus": 409, + "suggestedFixes": [ + "Remove WEBSITE_RUN_FROM_PACKAGE or WEBSITE_USE_ZIP app setting pointing to a remote URL", + "Use 'az webapp config appsettings delete --setting-names WEBSITE_RUN_FROM_PACKAGE'", + "Deploy to a staging slot instead" + ] + }, + { + "errorCode": "DeploymentIdExists", + "stage": "Deployment", + "httpStatus": 409, + "suggestedFixes": [ + "Use a unique deployment ID for each deployment", + "Omit the deployment ID to let the system generate one", + "Delete the existing deployment before reusing its ID" + ] + }, + { + "errorCode": "DeploymentLockFailed", + "stage": "Deployment", + "httpStatus": 409, + "suggestedFixes": [ + "Wait and retry — another deployment may be in progress", + "Restart the SCM site to release stale locks", + "Check if another CI/CD pipeline is deploying concurrently" + ] + }, + # ----------------------------------------------------------------------- + # 499 Client Closed Request + # ----------------------------------------------------------------------- + { + "errorCode": "ClientDisconnected", + "stage": "Deployment", + "httpStatus": 499, + "suggestedFixes": [ + "Retry the deployment with a stable network connection", + "Increase client timeout settings", + "Use async deployment (--async true) for long-running deploys" + ] + }, + # ----------------------------------------------------------------------- + # 500 Internal Server Error + # ----------------------------------------------------------------------- + { + "errorCode": "InternalDeploymentError", + "stage": "Deployment", + "httpStatus": 500, + "suggestedFixes": [ + "Retry the deployment", + "Check deployment logs: 'az webapp log deployment show'", + "Restart the SCM site and try again", + "If the problem persists, file an Azure support ticket" + ] + }, + { + "errorCode": "EmptyBranch", + "stage": "Deployment", + "httpStatus": 500, + "suggestedFixes": [ + "Push commits to the target deployment branch", + "Verify the branch name matches the configured deployment branch", + "Check 'az webapp deployment source show' for the configured branch" + ] + }, + # ----------------------------------------------------------------------- + # Kudu DeployStatus — Pending / Building / Deploying / Failed / Success + # ----------------------------------------------------------------------- + { + "errorCode": "KuduBuildFailed", + "stage": "Building", + "httpStatus": None, + "suggestedFixes": [ + "Check build logs: 'az webapp log deployment show'", + "Ensure the correct build manifest file exists (requirements.txt / package.json)", + "Set SCM_DO_BUILD_DURING_DEPLOYMENT=false and pre-build artifacts locally" + ] + }, + { + "errorCode": "KuduDeployFailed", + "stage": "Deploying", + "httpStatus": None, + "suggestedFixes": [ + "Check deployment logs: 'az webapp log deployment show'", + "Verify file permissions and disk space", + "Retry the deployment" + ] + }, +] + +# Index for O(1) lookup by error code +_PATTERN_INDEX = {p["errorCode"]: p for p in DEPLOYMENT_FAILURE_PATTERNS} + + +def get_failure_pattern(error_code): + """Look up a well-known failure pattern by its error code.""" + return _PATTERN_INDEX.get(error_code) + + +def match_failure_pattern(status_code=None, error_message=None, deployment_status=None): # pylint: disable=too-many-return-statements,too-many-branches + """ + Attempt to match an error to a well-known Kudu deployment failure pattern. + + Examines HTTP status codes and error message text to find the most relevant + failure pattern from the KuduLite deployment engine. + + Returns the matched pattern dict or None. + """ + if error_message is None: + error_message = "" + + error_lower = error_message.lower() + + # ----- 400 Bad Request: match on specific Kudu error messages ----- + if status_code == 400: + # ZipDeploy validation errors (check first — most specific) + if "zipdeploy validation error" in error_lower: + if "malformed" in error_lower: + return get_failure_pattern("ZipDeployMalformedUri") + if "inaccessible" in error_lower: + return get_failure_pattern("ZipDeployUriInaccessible") + if "disk space" in error_lower or "package size" in error_lower: + return get_failure_pattern("ZipDeployInsufficientDisk") + if "cannot deploy" in error_lower and "functions" in error_lower: + return get_failure_pattern("ZipDeployRuntimeMismatch") + if "website_run_from_package" in error_lower: + return get_failure_pattern("ZipDeployRunFromPackageConflict") + + # OneDeploy artifact / type errors + if "not recognized" in error_lower and "type=" in error_lower: + return get_failure_pattern("InvalidArtifactType") + if "cannot be deployed to stack" in error_lower: + return get_failure_pattern("ArtifactStackMismatch") + if "artifact type" in error_lower and "not supported" in error_lower: + return get_failure_pattern("UnsupportedArtifactType") + if "path must be defined" in error_lower: + return get_failure_pattern("MissingDeployPath") + if "path cannot end with" in error_lower or "path cannot contain" in error_lower: + return get_failure_pattern("InvalidDeployPath") + if "invalid packageurl" in error_lower: + return get_failure_pattern("InvalidPackageUri") + if "clean deployments cannot be performed" in error_lower: + return get_failure_pattern("CleanDeployForbidden") + if "only successful status can be active" in error_lower: + return get_failure_pattern("InvalidDeploymentStatus") + if "no file uploaded" in error_lower: + return get_failure_pattern("NoFileUploaded") + if "only .zip files are supported" in error_lower: + return get_failure_pattern("UnsupportedFileType") + if "failed to prepare deployment file" in error_lower: + return get_failure_pattern("QuickDeployPrepareFailed") + if "failed to initialize deployment" in error_lower: + return get_failure_pattern("QuickDeployInitFailed") + if "invalid deployment id" in error_lower: + return get_failure_pattern("InvalidDeploymentId") + + # Generic 400 + return get_failure_pattern("DeploymentFailed") + + # ----- 403 Forbidden ----- + if status_code == 403: + return get_failure_pattern("ScmDisabled") + + # ----- 404 Not Found ----- + if status_code == 404: + if "repository could not be found" in error_lower: + return get_failure_pattern("RepositoryNotFound") + if "logid" in error_lower and "not found" in error_lower: + return get_failure_pattern("LogNotFound") + if "deployment" in error_lower and "not found" in error_lower: + return get_failure_pattern("DeploymentNotFound") + if "need to deploy website" in error_lower: + return get_failure_pattern("NoDeploymentsExist") + if "custom deployment script" in error_lower: + return get_failure_pattern("CustomDeployScriptInUse") + if "quickdeploy" in error_lower and "disabled" in error_lower: + return get_failure_pattern("QuickDeployDisabled") + if "no route registered" in error_lower: + return get_failure_pattern("RouteNotFound") + return get_failure_pattern("DeploymentNotFound") + + # ----- 409 Conflict ----- + if status_code == 409: + if "auto swap" in error_lower: + return get_failure_pattern("AutoSwapInProgress") + if ("run-from-zip" in error_lower or + "website_run_from_package" in error_lower or + "website_use_zip" in error_lower): + return get_failure_pattern("RunFromRemoteZipConfigured") + if "deployment with id" in error_lower and "exists" in error_lower: + return get_failure_pattern("DeploymentIdExists") + if "failed to acquire deployment lock" in error_lower: + return get_failure_pattern("DeploymentLockFailed") + # Generic 409 — deployment lock conflict + return get_failure_pattern("DeploymentInProgress") + + # ----- 499 Client Closed Request ----- + if status_code == 499: + return get_failure_pattern("ClientDisconnected") + + # ----- 500 Internal Server Error ----- + if status_code == 500: + if "nothing has been pushed" in error_lower and "branch" in error_lower: + return get_failure_pattern("EmptyBranch") + return get_failure_pattern("InternalDeploymentError") + + # ----- Kudu DeployStatus-based matching ----- + if deployment_status == "Failed": + # Check error message for build vs deploy phase hints + if "build" in error_lower: + return get_failure_pattern("KuduBuildFailed") + return get_failure_pattern("KuduDeployFailed") + + if deployment_status == "Building": + return get_failure_pattern("KuduBuildFailed") + + # ----- Message-based fallback heuristics (no status code) ----- + if not status_code: + if "request was aborted" in error_lower or "deployment was cancelled" in error_lower: + return get_failure_pattern("ClientDisconnected") + if "auto swap" in error_lower: + return get_failure_pattern("AutoSwapInProgress") + if "deployment currently in progress" in error_lower: + return get_failure_pattern("DeploymentInProgress") + if "run-from-zip" in error_lower: + return get_failure_pattern("RunFromRemoteZipConfigured") + if "cannot be deployed to stack" in error_lower: + return get_failure_pattern("ArtifactStackMismatch") + if "repository could not be found" in error_lower: + return get_failure_pattern("RepositoryNotFound") + + return None diff --git a/src/azure-cli/azure/cli/command_modules/appservice/_help.py b/src/azure-cli/azure/cli/command_modules/appservice/_help.py index 5b7b5b1da03..dd0312599f5 100644 --- a/src/azure-cli/azure/cli/command_modules/appservice/_help.py +++ b/src/azure-cli/azure/cli/command_modules/appservice/_help.py @@ -2652,6 +2652,9 @@ - name: Create a web app with a specified domain name scope for unique hostname generation text: > az webapp up -n MyUniqueAppName --domain-name-scope TenantReuse + - name: Deploy with enriched error diagnostics on failure. + text: > + az webapp up --enriched-errors true """ helps['webapp update'] = """ @@ -3344,4 +3347,6 @@ text: az webapp deploy --resource-group ResourceGroup --name AppName --src-path SourcePath --type war --async true - name: Deploy a static text file to wwwroot/staticfiles/test.txt text: az webapp deploy --resource-group ResourceGroup --name AppName --src-path SourcePath --type static --target-path staticfiles/test.txt + - name: Deploy a zip file with enriched error diagnostics on failure. + text: az webapp deploy -g ResourceGroup -n AppName --src-path app.zip --enriched-errors true """ diff --git a/src/azure-cli/azure/cli/command_modules/appservice/_params.py b/src/azure-cli/azure/cli/command_modules/appservice/_params.py index 1544d99df6c..c93f5863bef 100644 --- a/src/azure-cli/azure/cli/command_modules/appservice/_params.py +++ b/src/azure-cli/azure/cli/command_modules/appservice/_params.py @@ -984,6 +984,9 @@ def load_arguments(self, _): arg_type=get_three_state_flag()) c.argument('enable_kudu_warmup', help="If true, kudu will be warmed up before performing deployment for a linux webapp.", arg_type=get_three_state_flag()) + c.argument('enriched_errors', options_list=['--enriched-errors'], + help='If true, deployment failures will show context-enriched diagnostics with error codes, suggested fixes, and Copilot prompts.', + arg_type=get_three_state_flag()) c.argument('auto_generated_domain_name_label_scope', options_list=['--domain-name-scope'], help="Specify the scope of uniqueness for the default hostname during resource creation.", arg_type=get_enum_type(AutoGeneratedDomainNameLabelScope)) with self.argument_context('webapp ssh') as c: @@ -1025,6 +1028,9 @@ def load_arguments(self, _): arg_type=get_three_state_flag()) c.argument('enable_kudu_warmup', help="If true, kudu will be warmed up before performing deployment for a linux webapp.", arg_type=get_three_state_flag()) + c.argument('enriched_errors', options_list=['--enriched-errors'], + help='If true, deployment failures will show context-enriched diagnostics with error codes, suggested fixes, and Copilot prompts.', + arg_type=get_three_state_flag()) with self.argument_context('functionapp deploy') as c: c.argument('name', options_list=['--name', '-n'], help='Name of the function app to deploy to.') diff --git a/src/azure-cli/azure/cli/command_modules/appservice/custom.py b/src/azure-cli/azure/cli/command_modules/appservice/custom.py index dc510fe4d4b..d9ffe61c177 100644 --- a/src/azure-cli/azure/cli/command_modules/appservice/custom.py +++ b/src/azure-cli/azure/cli/command_modules/appservice/custom.py @@ -58,6 +58,9 @@ appcontainers_client_factory) from ._appservice_utils import _generic_site_operation, _generic_settings_operation from ._appservice_utils import MSI_LOCAL_ID +from ._deployment_context_engine import ( + raise_enriched_deployment_error, extract_status_code_from_message, EnrichedDeploymentError +) from .utils import (_normalize_sku, get_sku_tier, retryable_method, @@ -868,7 +871,7 @@ def enable_zip_deploy_flex(cmd, resource_group_name, name, src, timeout=None, sl # This funtion performs deployment using /zipdeploy for both function app and web app def enable_zip_deploy(cmd, resource_group_name, name, src, timeout=None, slot=None, - track_status=False, enable_kudu_warmup=True): + track_status=False, enable_kudu_warmup=True, enriched_errors=False): logger.warning("Getting scm site credentials for zip deployment") try: @@ -893,6 +896,11 @@ def enable_zip_deploy(cmd, resource_group_name, name, src, timeout=None, slot=No app_is_linux_webapp = is_linux_webapp(app) app_is_function_app = is_functionapp(app) + # Enriched errors are enabled via --enriched-errors flag on 'az webapp deploy' or 'az webapp up'. + _should_enrich_errors = enriched_errors and not app_is_function_app + if enriched_errors and app_is_function_app: + logger.warning("--enriched-errors is not supported for function apps and will be ignored.") + # Read file content with open(os.path.realpath(os.path.expanduser(src)), 'rb') as fs: zip_content = fs.read() @@ -925,17 +933,44 @@ def enable_zip_deploy(cmd, resource_group_name, name, src, timeout=None, slot=No # check the status of async deployment if res.status_code == 202: response_body = None - if track_status: - response_body = _check_runtimestatus_with_deploymentstatusapi(cmd, resource_group_name, name, slot, - deployment_status_url, is_async=True, - timeout=timeout) - else: - response_body = _check_zip_deployment_status(cmd, resource_group_name, name, deployment_status_url, - slot, timeout) + try: + if track_status: + response_body = _check_runtimestatus_with_deploymentstatusapi(cmd, resource_group_name, name, slot, + deployment_status_url, is_async=True, + timeout=timeout) + else: + response_body = _check_zip_deployment_status(cmd, resource_group_name, name, deployment_status_url, + slot, timeout) + except CLIError as deploy_err: + if _should_enrich_errors: + _deploy_err_str = str(deploy_err) + raise_enriched_deployment_error( + cmd=cmd, + resource_group_name=resource_group_name, + webapp_name=name, + slot=slot, + artifact_type="zip", + status_code=extract_status_code_from_message(_deploy_err_str), + error_message=_deploy_err_str, + last_known_step="Zip deployment accepted (HTTP 202), tracking status" + ) + raise return response_body # check if there's an ongoing process if res.status_code == 409: + if _should_enrich_errors: + raise_enriched_deployment_error( + cmd=cmd, + resource_group_name=resource_group_name, + webapp_name=name, + slot=slot, + artifact_type="zip", + status_code=409, + error_message=res.text if res.text else "Deployment conflict (HTTP 409)", + last_known_step="Zip deployment HTTP request", + kudu_status="409" + ) raise UnclassifiedUserFault("There may be an ongoing deployment or your app setting has " "WEBSITE_RUN_FROM_PACKAGE. Please track your deployment in {} and ensure the " "WEBSITE_RUN_FROM_PACKAGE app setting is removed. Use 'az webapp config " @@ -945,7 +980,19 @@ def enable_zip_deploy(cmd, resource_group_name, name, src, timeout=None, slot=No "to delete them.".format(deployment_status_url)) # check if an error occured during deployment - if res.status_code: + if res.status_code and res.status_code >= 400: + if _should_enrich_errors: + raise_enriched_deployment_error( + cmd=cmd, + resource_group_name=resource_group_name, + webapp_name=name, + slot=slot, + artifact_type="zip", + status_code=res.status_code, + error_message=res.text if res.text else None, + last_known_step="Zip deployment HTTP request", + kudu_status=str(res.status_code) + ) raise AzureInternalError("An error occured during deployment. Status Code: {}, Details: {}" .format(res.status_code, res.text)) @@ -9112,7 +9159,7 @@ def get_history_triggered_webjob(cmd, resource_group_name, name, webjob_name, sl def webapp_up(cmd, name=None, resource_group_name=None, plan=None, location=None, sku=None, # pylint: disable=too-many-statements,too-many-branches os_type=None, runtime=None, dryrun=False, logs=False, launch_browser=False, html=False, app_service_environment=None, track_status=True, enable_kudu_warmup=True, basic_auth="", - auto_generated_domain_name_label_scope=None): + auto_generated_domain_name_label_scope=None, enriched_errors=False): if not name: name = generate_default_app_name(cmd) @@ -9303,7 +9350,7 @@ def webapp_up(cmd, name=None, resource_group_name=None, plan=None, location=None # zip contents & deploy zip_file_path = zip_contents_from_dir(src_dir, language) enable_zip_deploy(cmd, rg_name, name, zip_file_path, track_status=track_status, - enable_kudu_warmup=enable_kudu_warmup) + enable_kudu_warmup=enable_kudu_warmup, enriched_errors=enriched_errors) if launch_browser: logger.warning("Launching app using default browser") @@ -9543,7 +9590,8 @@ def perform_onedeploy_webapp(cmd, timeout=None, slot=None, track_status=True, - enable_kudu_warmup=True): + enable_kudu_warmup=True, + enriched_errors=False): params = OneDeployParams() params.cmd = cmd @@ -9561,6 +9609,7 @@ def perform_onedeploy_webapp(cmd, params.slot = slot params.track_status = track_status params.enable_kudu_warmup = enable_kudu_warmup + params.enriched_errors = enriched_errors client = web_client_factory(cmd.cli_ctx) app = client.web_apps.get(resource_group_name, name) @@ -9599,6 +9648,7 @@ def __init__(self): self.enable_kudu_warmup = None self.is_linux_webapp = None self.is_functionapp = None + self.enriched_errors = False # pylint: enable=too-many-instance-attributes,too-few-public-methods @@ -9895,15 +9945,29 @@ def _make_onedeploy_request(params): if response.status_code == 202 or response.status_code == 200: response_body = None if poll_async_deployment_for_debugging: - if params.track_status is not None and params.track_status: - response_body = _check_runtimestatus_with_deploymentstatusapi(params.cmd, params.resource_group_name, - params.webapp_name, params.slot, - deployment_status_url, - params.is_async_deployment, - params.timeout) - else: - response_body = _check_zip_deployment_status(params.cmd, params.resource_group_name, params.webapp_name, - deployment_status_url, params.slot, params.timeout) + try: + if params.track_status is not None and params.track_status: + response_body = _check_runtimestatus_with_deploymentstatusapi(params.cmd, + params.resource_group_name, + params.webapp_name, params.slot, + deployment_status_url, + params.is_async_deployment, + params.timeout) + else: + response_body = _check_zip_deployment_status(params.cmd, params.resource_group_name, + params.webapp_name, + deployment_status_url, params.slot, params.timeout) + except CLIError as deploy_err: + if params.enriched_errors: + # Enrich the downstream deployment-tracking error with context + _deploy_err_str = str(deploy_err) + raise_enriched_deployment_error( + params=params, + status_code=extract_status_code_from_message(_deploy_err_str), + error_message=_deploy_err_str, + last_known_step="Deployment accepted (HTTP 200/202), tracking status" + ) + raise logger.info('Server response: %s', response_body) else: if 'application/json' in response.headers.get('content-type', ""): @@ -9926,8 +9990,16 @@ def _make_onedeploy_request(params): "starting a new deployment. You can track the ongoing deployment at {}" .format(deployment_status_url)) - # check if an error occured during deployment - if response.status_code: + # check if an error occurred during deployment + if response.status_code and response.status_code >= 400: + if params.enriched_errors: + raise_enriched_deployment_error( + params=params, + status_code=response.status_code, + error_message=response.text if response.text else None, + last_known_step="HTTP request sent to deployment API", + kudu_status=str(response.status_code) + ) scm_url = _get_scm_url(params.cmd, params.resource_group_name, params.webapp_name, params.slot) latest_deploymentinfo_url = scm_url + "/api/deployments/latest" raise CLIError("An error occurred during deployment. Status Code: {}, {} Please visit {}" @@ -9944,8 +10016,59 @@ def _perform_onedeploy_internal(params): # Now make the OneDeploy API call logger.warning("Initiating deployment") - response = _make_onedeploy_request(params) - return response + try: + response = _make_onedeploy_request(params) + return response + except (ValidationError, ResourceNotFoundError): + # Known CLI validation errors (e.g. 409 conflict, 404 API not available) — re-raise as-is + raise + except EnrichedDeploymentError: + # Already enriched by _make_onedeploy_request — re-raise as-is + raise + except CLIError as ex: + if params.enriched_errors: + try: + _ex_str = str(ex) + raise_enriched_deployment_error( + params=params, + status_code=extract_status_code_from_message(_ex_str), + error_message=_ex_str, + last_known_step="Deployment request" + ) + except EnrichedDeploymentError: + raise + except Exception: # pylint: disable=broad-except + logger.debug("Failed to enrich deployment error, re-raising original.") + raise + except HttpResponseError as ex: + if params.enriched_errors: + try: + # Azure SDK errors (e.g. Bad Request from ARM) + raise_enriched_deployment_error( + params=params, + status_code=ex.status_code if hasattr(ex, 'status_code') else None, + error_message=str(ex), + last_known_step="ARM deployment request" + ) + except EnrichedDeploymentError: + raise + except Exception: # pylint: disable=broad-except + logger.debug("Failed to enrich deployment error, re-raising original.") + raise + except Exception as ex: # pylint: disable=broad-except + if params.enriched_errors: + try: + # Catch-all for unexpected errors (connection errors, timeouts, etc.) + raise_enriched_deployment_error( + params=params, + error_message=str(ex), + last_known_step="Deployment request" + ) + except EnrichedDeploymentError: + raise + except Exception: # pylint: disable=broad-except + logger.debug("Failed to enrich deployment error, re-raising original.") + raise def _wait_for_webapp(tunnel_server): diff --git a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_enriched_errors_artifact_mismatch.yaml b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_enriched_errors_artifact_mismatch.yaml new file mode 100644 index 00000000000..f4b1929053b --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_enriched_errors_artifact_mismatch.yaml @@ -0,0 +1,1472 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_webapp_enriched_errors000001?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001","name":"cli_test_webapp_enriched_errors000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","test":"test_webapp_deploy_enriched_errors_artifact_mismatch","date":"2026-04-02T10:58:37Z","module":"appservice"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '437' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 02 Apr 2026 10:58:46 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: E23DC35D75E24432A186CACC11128676 Ref B: PNQ231110909054 Ref C: 2026-04-02T10:58:46Z' + status: + code: 200 + message: OK +- request: + body: '{"location": "westus2", "properties": {"perSiteScaling": false, "reserved": + true}, "sku": {"capacity": 1, "name": "F1", "tier": "FREE"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + Content-Length: + - '136' + Content-Type: + - application/json + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003?api-version=2025-03-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","name":"webapp-enriched-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"westus2","properties":{"serverFarmId":31087,"name":"webapp-enriched-plan000003","sku":{"name":"U13","tier":"LinuxFree","size":"U13","family":"U","capacity":1},"workerSize":"NestedSmallLinux","workerSizeId":12,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"NestedSmallLinux","currentWorkerSizeId":12,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_enriched_errors000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-133_31087","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":null,"vnetConnectionsMax":null,"createdTime":"2026-04-02T10:58:53.3633333","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"U13","tier":"LinuxFree","size":"U13","family":"U","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1911' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:58:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/e7a8abf1-75d0-49e2-b36a-185ae009e1e4 + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: 94F72524BF8840EDB7A5AFD769E5D5BB Ref B: PNQ231110907052 Ref C: 2026-04-02T10:58:47Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","name":"webapp-enriched-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":31087,"name":"webapp-enriched-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":1,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_enriched_errors000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-133_31087","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T10:58:53.3633333","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"F1","tier":"Free","size":"F1","family":"F","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1797' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:58:54 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 52DCCBAD05F24AFEAC99C5CB74E5DDAD Ref B: PNQ231110908034 Ref C: 2026-04-02T10:58:54Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"name": "webapp-enriched-test000002", "type": "Site"}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '54' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2024-11-01 + response: + body: + string: '{"nameAvailable":true,"reason":"","message":""}' + headers: + cache-control: + - no-cache + content-length: + - '47' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:58:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/centralindia/46b91cbc-c7bf-4809-a140-3e86fd05e8bd + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 39900DD62A85473DBC3F0B1A85F0B48E Ref B: PNQ231110907054 Ref C: 2026-04-02T10:58:55Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":null,"name":"dotnet","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":".NET","value":"dotnet","preferredOs":"windows","majorVersions":[{"displayText":".NET + 10 (LTS)","value":"dotnet10","minorVersions":[{"displayText":".NET 10 (LTS)","value":"10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-12-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-12-01T00:00:00Z"}}}]},{"displayText":".NET + 9 (STS)","value":"dotnet9","minorVersions":[{"displayText":".NET 9 (STS)","value":"9","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 8 (LTS)","value":"dotnet8","minorVersions":[{"displayText":".NET 8 (LTS)","value":"8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 7 (STS)","value":"dotnet7","minorVersions":[{"displayText":".NET 7 (STS)","value":"7","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-05-14T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-05-14T00:00:00Z"}}}]},{"displayText":".NET + 6","value":"dotnet6","minorVersions":[{"displayText":".NET 6 (LTS)","value":"6","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-11-12T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-11-12T00:00:00Z"}}}]},{"displayText":".NET + 5","value":"dotnet5","minorVersions":[{"displayText":".NET 5","value":"5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-05-08T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-05-08T00:00:00Z"}}}]},{"displayText":".NET + Core 3","value":"dotnetcore3","minorVersions":[{"displayText":".NET Core 3.1 + (LTS)","value":"3.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"}}},{"displayText":".NET + Core 3.0","value":"3.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2020-03-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2020-03-03T00:00:00Z"}}}]},{"displayText":".NET + Core 2","value":"dotnetcore2","minorVersions":[{"displayText":".NET Core 2.2","value":"2.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-23T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-23T00:00:00Z"}}},{"displayText":".NET + Core 2.1 (LTS)","value":"2.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-07-21T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-07-21T00:00:00Z"}}},{"displayText":".NET + Core 2.0","value":"2.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-10-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-10-01T00:00:00Z"}}}]},{"displayText":".NET + Core 1","value":"dotnetcore1","minorVersions":[{"displayText":".NET Core 1.1","value":"1.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}},{"displayText":".NET + Core 1.0","value":"1.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}}]},{"displayText":"ASP.NET + V4","value":"aspdotnetv4","minorVersions":[{"displayText":"ASP.NET V4.8","value":"v4.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v4.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"ASP.NET + V3","value":"aspdotnetv3","minorVersions":[{"displayText":"ASP.NET V3.5","value":"v3.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v2.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"node","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Node","value":"node","preferredOs":"linux","majorVersions":[{"displayText":"Node + LTS","value":"lts","minorVersions":[{"displayText":"Node LTS","value":"lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"}}}}]},{"displayText":"Node + 24","value":"24","minorVersions":[{"displayText":"Node 24 LTS","value":"24-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|24-lts","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~24","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-04-30T00:00:00Z"}}}]},{"displayText":"Node + 22","value":"22","minorVersions":[{"displayText":"Node 22 LTS","value":"22-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|22-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~22","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-04-30T00:00:00Z"}}}]},{"displayText":"Node + 20","value":"20","minorVersions":[{"displayText":"Node 20 LTS","value":"20-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|20-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~20","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-04-30T00:00:00Z"}}}]},{"displayText":"Node + 18","value":"18","minorVersions":[{"displayText":"Node 18 LTS","value":"18-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|18-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2025-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2025-04-30T00:00:00Z"}}}]},{"displayText":"Node + 16","value":"16","minorVersions":[{"displayText":"Node 16 LTS","value":"16-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|16-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-09-11T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-09-11T00:00:00Z"}}}]},{"displayText":"Node + 14","value":"14","minorVersions":[{"displayText":"Node 14 LTS","value":"14-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|14-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-04-30T00:00:00Z"}}}]},{"displayText":"Node + 12","value":"12","minorVersions":[{"displayText":"Node 12 LTS","value":"12-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"12.13.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}},{"displayText":"Node + 12.9","value":"12.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12.9","isDeprecated":true,"remoteDebuggingSupported":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}}]},{"displayText":"Node + 10","value":"10","minorVersions":[{"displayText":"Node 10 LTS","value":"10-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.16","value":"10.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.15","value":"10.15","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"10.15.2","isDeprecated":true,"isPreview":true,"isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.14","value":"10.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.14.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.12","value":"10.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.10","value":"10.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.0.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.6","value":"10.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.1","value":"10.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}}]},{"displayText":"Node + 9","value":"9","minorVersions":[{"displayText":"Node 9.4","value":"9.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|9.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-30T00:00:00Z"}}}]},{"displayText":"Node + 8","value":"8","minorVersions":[{"displayText":"Node 8 LTS","value":"8-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.12","value":"8.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.11","value":"8.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.10","value":"8.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.9","value":"8.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.8","value":"8.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.5","value":"8.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.4","value":"8.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.1.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}}]},{"displayText":"Node + 7","value":"7","minorVersions":[{"displayText":"Node 7.10","value":"7.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2017-06-30T00:00:00Z"}}}]},{"displayText":"Node + 6","value":"6","minorVersions":[{"displayText":"Node 6 LTS","value":"6-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.12","value":"6.12","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.11","value":"6.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.10","value":"6.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.9","value":"6.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"6.9.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.6","value":"6.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.5","value":"6.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.2","value":"6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}}]},{"displayText":"Node + 4","value":"4","minorVersions":[{"displayText":"Node 4.8","value":"4.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.5","value":"4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.4","value":"4.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}}]}]}},{"id":null,"name":"python","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Python","value":"python","preferredOs":"linux","majorVersions":[{"displayText":"Python + 3","value":"3","minorVersions":[{"displayText":"Python 3.14","value":"3.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.14","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.14"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2030-10-31T00:00:00Z"}}},{"displayText":"Python + 3.13","value":"3.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.13"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-10-31T00:00:00Z"}}},{"displayText":"Python + 3.12","value":"3.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.12"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-10-31T00:00:00Z"}}},{"displayText":"Python + 3.11","value":"3.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.11"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.10","value":"3.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.10","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.10"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-10-31T00:00:00Z","isHidden":false,"isEarlyAccess":false}}},{"displayText":"Python + 3.9","value":"3.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.9"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.8","value":"3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.8"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2024-10-07T00:00:00Z"}}},{"displayText":"Python + 3.7","value":"3.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.7","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.7"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-06-27T00:00:00Z"}}},{"displayText":"Python + 3.6","value":"3.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"},"endOfLifeDate":"2021-12-23T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"3.4.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"}}}}]},{"displayText":"Python + 2","value":"2","minorVersions":[{"displayText":"Python 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"php","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"PHP","value":"php","preferredOs":"linux","majorVersions":[{"displayText":"PHP + 8","value":"8","minorVersions":[{"displayText":"PHP 8.5","value":"8.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.5"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.4","value":"8.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.4"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.3","value":"8.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.3"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.2"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.1","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.1"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.0","isDeprecated":true,"isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.0"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-11-26T00:00:00Z"}}}]},{"displayText":"PHP + 7","value":"7","minorVersions":[{"displayText":"PHP 7.4","value":"7.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.3","value":"7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"}}},{"displayText":"PHP + 7.2","value":"7.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-11-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true},"endOfLifeDate":"2020-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.1","value":"7.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}},{"displayText":"7.0","value":"7.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]},{"displayText":"PHP + 5","value":"5","minorVersions":[{"displayText":"PHP 5.6","value":"5.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"ruby","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Ruby","value":"ruby","preferredOs":"linux","majorVersions":[{"displayText":"Ruby + 2","value":"2","minorVersions":[{"displayText":"Ruby 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.7.3","value":"2.7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"isHidden":true,"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6","value":"2.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6.2","value":"2.6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5","value":"2.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5.5","value":"2.5.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.4","value":"2.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.4.5","value":"2.4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.3","value":"2.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.8","value":"2.3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.3","value":"2.3.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.3","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}}]}]}},{"id":null,"name":"java","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java","value":"java","preferredOs":"linux","majorVersions":[{"displayText":"Java + 25","value":"25","minorVersions":[{"displayText":"Java 25","value":"25.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.1","value":"25.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.0","value":"25.0.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}}]},{"displayText":"Java + 21","value":"21","minorVersions":[{"displayText":"Java 21","value":"21.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.9","value":"21.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.6","value":"21.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.5","value":"21.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.4","value":"21.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.3","value":"21.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.1","value":"21.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}}]},{"displayText":"Java + 17","value":"17","minorVersions":[{"displayText":"Java 17","value":"17.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.17","value":"17.0.17","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.17","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.14","value":"17.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.13","value":"17.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.12","value":"17.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.11","value":"17.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.9","value":"17.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.4","value":"17.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.3","value":"17.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.2","value":"17.0.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.1","value":"17.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 11","value":"11","minorVersions":[{"displayText":"Java 11","value":"11.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.29","value":"11.0.29","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.29","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.26","value":"11.0.26","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.26","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.25","value":"11.0.25","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.25","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.24","value":"11.0.24","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.24","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.23","value":"11.0.23","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.23","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.21","value":"11.0.21","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.21","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.16","value":"11.0.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.16","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.15","value":"11.0.15","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.15","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.14","value":"11.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.13","value":"11.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.12","value":"11.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.11","value":"11.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.9","value":"11.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.8","value":"11.0.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.8","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.7","value":"11.0.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.7","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.6","value":"11.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.5","value":"11.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.5_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.3","value":"11.0.3","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.3_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.2","value":"11.0.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.2_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 8","value":"8","minorVersions":[{"displayText":"Java 8","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_472","value":"8.0.472","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_472","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_442","value":"8.0.442","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_442","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_432","value":"8.0.432","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_432","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_422","value":"8.0.422","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_422","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_412","value":"8.0.412","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_412","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_392","value":"8.0.392","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_392","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_345","value":"8.0.345","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_345","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_332","value":"8.0.332","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_332","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_322","value":"8.0.322","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_322","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_312","value":"8.0.312","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_312","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_302","value":"8.0.302","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_302","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_292","value":"8.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_292","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_282","value":"8.0.282","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_282","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_275","value":"8.0.275","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_265","value":"8.0.265","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_265","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_252","value":"8.0.252","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_252","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_242","value":"8.0.242","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_242","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_232","value":"8.0.232","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_232_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_212","value":"8.0.212","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_212_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202","value":"8.0.202","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202 (Oracle)","value":"8.0.202 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_181","value":"8.0.181","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_181 (Oracle)","value":"8.0.181 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_172","value":"8.0.172","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_172 (Oracle)","value":"8.0.172 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_144","value":"8.0.144","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_144","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_111 (Oracle)","value":"8.0.111 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_111","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_102","value":"8.0.102","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_102","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_92","value":"8.0.92","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_92","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_73 (Oracle)","value":"8.0.73 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_73","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_60 (Oracle)","value":"8.0.60 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_60","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_25 (Oracle)","value":"8.0.25 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_25","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"Java + 7","value":"7","minorVersions":[{"displayText":"Java 7","value":"7.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7","isAutoUpdate":true,"isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_292","value":"7.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_292","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_272","value":"7.0.272","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_272","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_262","value":"7.0.262","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_262","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_242","value":"7.0.242","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_242_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_222","value":"7.0.222","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_222_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_191","value":"7.0.191","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_191_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_80 (Oracle)","value":"7.0.80 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_80","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_71 (Oracle)","value":"7.0.71 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_71","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_51 (Oracle)","value":"7.0.51 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_51","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"javacontainers","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java + Containers","value":"javacontainers","majorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"javase","minorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"SE","stackSettings":{"windowsContainerSettings":{"javaContainer":"JAVA","javaContainerVersion":"SE","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"JAVA|25-java25","java21Runtime":"JAVA|21-java21","java17Runtime":"JAVA|17-java17","java11Runtime":"JAVA|11-java11","java8Runtime":"JAVA|8-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8-jre8"},{"runtimeVersion":"11","runtime":"JAVA|11-java11"},{"runtimeVersion":"17","runtime":"JAVA|17-java17"},{"runtimeVersion":"21","runtime":"JAVA|21-java21"},{"runtimeVersion":"25","runtime":"JAVA|25-java25"}]}}},{"displayText":"Java + SE 25.0.1","value":"25.0.1","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.1","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.1"}]}}},{"displayText":"Java + SE 25.0.0","value":"25.0.0","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.0","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.0"}]}}},{"displayText":"Java + SE 21.0.9","value":"21.0.9","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.9","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.9"}]}}},{"displayText":"Java + SE 21.0.8","value":"21.0.8","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.8","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.8"}]}}},{"displayText":"Java + SE 21.0.7","value":"21.0.7","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.7","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.7"}]}}},{"displayText":"Java + SE 21.0.6","value":"21.0.6","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.6","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.6"}]}}},{"displayText":"Java + SE 21.0.5","value":"21.0.5","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.5","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.5"}]}}},{"displayText":"Java + SE 21.0.4","value":"21.0.4","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.4","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.4"}]}}},{"displayText":"Java + SE 21.0.3","value":"21.0.3","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.3","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.3"}]}}},{"displayText":"Java + SE 21.0.1","value":"21.0.1","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.1","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.1"}]}}},{"displayText":"Java + SE 17.0.17","value":"17.0.17","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.17","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.17"}]}}},{"displayText":"Java + SE 17.0.16","value":"17.0.16","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.16","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.16"}]}}},{"displayText":"Java + SE 17.0.15","value":"17.0.15","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.15","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.15"}]}}},{"displayText":"Java + SE 17.0.14","value":"17.0.14","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.14","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.14"}]}}},{"displayText":"Java + SE 17.0.13","value":"17.0.13","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.13","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.13"}]}}},{"displayText":"Java + SE 17.0.12","value":"17.0.12","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.12","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.12"}]}}},{"displayText":"Java + SE 17.0.11","value":"17.0.11","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.11","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.11"}]}}},{"displayText":"Java + SE 17.0.9","value":"17.0.9","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.9","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.9"}]}}},{"displayText":"Java + SE 17.0.4","value":"17.0.4","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.4","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.4"}]}}},{"displayText":"Java + SE 17.0.3","value":"17.0.3","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.3","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.3"}]}}},{"displayText":"Java + SE 17.0.2","value":"17.0.2","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.2","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.2"}]}}},{"displayText":"Java + SE 17.0.1","value":"17.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.1","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.1"}]}}},{"displayText":"Java + SE 11.0.29","value":"11.0.29","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.29","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.29"}]}}},{"displayText":"Java + SE 11.0.28","value":"11.0.28","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.28","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.28"}]}}},{"displayText":"Java + SE 11.0.27","value":"11.0.27","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.27","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.27"}]}}},{"displayText":"Java + SE 11.0.26","value":"11.0.26","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.26","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.26"}]}}},{"displayText":"Java + SE 11.0.25","value":"11.0.25","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.25","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.25"}]}}},{"displayText":"Java + SE 11.0.24","value":"11.0.24","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.24","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.24"}]}}},{"displayText":"Java + SE 11.0.23","value":"11.0.23","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.23","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.23"}]}}},{"displayText":"Java + SE 11.0.21","value":"11.0.21","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.21","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.21"}]}}},{"displayText":"Java + SE 11.0.16","value":"11.0.16","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.16","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.16"}]}}},{"displayText":"Java + SE 11.0.15","value":"11.0.15","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.15","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.15"}]}}},{"displayText":"Java + SE 11.0.14","value":"11.0.14","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.14","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.14"}]}}},{"displayText":"Java + SE 11.0.13","value":"11.0.13","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.13","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.13"}]}}},{"displayText":"Java + SE 11.0.12","value":"11.0.12","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.12","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.12"}]}}},{"displayText":"Java + SE 11.0.11","value":"11.0.11","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.11","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.11"}]}}},{"displayText":"Java + SE 11.0.9","value":"11.0.9","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.9","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.9"}]}}},{"displayText":"Java + SE 11.0.7","value":"11.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.7","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.7"}]}}},{"displayText":"Java + SE 11.0.6","value":"11.0.6","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.6","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.6"}]}}},{"displayText":"Java + SE 11.0.5","value":"11.0.5","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.5","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.5"}]}}},{"displayText":"Java + SE 8u472","value":"1.8.472","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.472","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.472"}]}}},{"displayText":"Java + SE 8u462","value":"1.8.462","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.462","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.462"}]}}},{"displayText":"Java + SE 8u452","value":"1.8.452","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u452","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u452"}]}}},{"displayText":"Java + SE 8u442","value":"1.8.442","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u442","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u442"}]}}},{"displayText":"Java + SE 8u432","value":"1.8.432","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u432","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u432"}]}}},{"displayText":"Java + SE 8u422","value":"1.8.422","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u422","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u422"}]}}},{"displayText":"Java + SE 8u412","value":"1.8.412","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u412","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u412"}]}}},{"displayText":"Java + SE 8u392","value":"1.8.392","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u392","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u392"}]}}},{"displayText":"Java + SE 8u345","value":"1.8.345","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u345","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u345"}]}}},{"displayText":"Java + SE 8u332","value":"1.8.332","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u332","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u332"}]}}},{"displayText":"Java + SE 8u322","value":"1.8.322","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u322","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u322"}]}}},{"displayText":"Java + SE 8u312","value":"1.8.312","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u312","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u312"}]}}},{"displayText":"Java + SE 8u302","value":"1.8.302","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u302","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u302"}]}}},{"displayText":"Java + SE 8u292","value":"1.8.292","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u292","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u292"}]}}},{"displayText":"Java + SE 8u275","value":"1.8.275","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u275","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u275"}]}}},{"displayText":"Java + SE 8u252","value":"1.8.252","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u252","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u252"}]}}},{"displayText":"Java + SE 8u242","value":"1.8.242","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u242","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u242"}]}}},{"displayText":"Java + SE 8u232","value":"1.8.232","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u232","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u232"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1","value":"jbosseap8.1","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1 BYO License","value":"jbosseap8.1_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 0.1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0","value":"jbosseap8.0","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11","java17Runtime":"JBOSSEAP|8-java17","java21Runtime":"JBOSSEAP|8-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java11Runtime":"JBOSSEAP|8.0.9.1-java11","java17Runtime":"JBOSSEAP|8.0.9.1-java17","java21Runtime":"JBOSSEAP|8.0.9.1-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 8","value":"8.0.8","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.8-java11","java17Runtime":"JBOSSEAP|8.0.8-java17","java21Runtime":"JBOSSEAP|8.0.8-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11","java17Runtime":"JBOSSEAP|8.0.7-java17","java21Runtime":"JBOSSEAP|8.0.7-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11","java17Runtime":"JBOSSEAP|8.0.5.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11","java17Runtime":"JBOSSEAP|8.0.4.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 3","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11","java17Runtime":"JBOSSEAP|8.0.3-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1","value":"8.0.2.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2.1-java11","java17Runtime":"JBOSSEAP|8.0.2.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 1","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11","java17Runtime":"JBOSSEAP|8.0.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"jbosseap8.0_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11_byol","java17Runtime":"JBOSSEAP|8-java17_byol","java21Runtime":"JBOSSEAP|8-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.9.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.9.1-java17_byol","java21Runtime":"JBOSSEAP|8.0.9.1-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11_byol","java17Runtime":"JBOSSEAP|8.0.7-java17_byol","java21Runtime":"JBOSSEAP|8.0.7-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.5.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1 BYO License","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.4.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 3 BYO License","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11_byol","java17Runtime":"JBOSSEAP|8.0.3-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1 BYO License","value":"8.0.2","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2-java11_byol","java17Runtime":"JBOSSEAP|8.0.2-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 1 BYO License","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7","value":"jbosseap","minorVersions":[{"displayText":"Red Hat + JBoss EAP 7","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8","java11Runtime":"JBOSSEAP|7-java11","java17Runtime":"JBOSSEAP|7-java17","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java8Runtime":"JBOSSEAP|7.4.23-java8","java11Runtime":"JBOSSEAP|7.4.23-java11","java17Runtime":"JBOSSEAP|7.4.23-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8","java11Runtime":"JBOSSEAP|7.4.22-java11","java17Runtime":"JBOSSEAP|7.4.22-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8","java11Runtime":"JBOSSEAP|7.4.21-java11","java17Runtime":"JBOSSEAP|7.4.21-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8","java11Runtime":"JBOSSEAP|7.4.20-java11","java17Runtime":"JBOSSEAP|7.4.20-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8","java11Runtime":"JBOSSEAP|7.4.18-java11","java17Runtime":"JBOSSEAP|7.4.18-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.17","value":"7.4.17","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.17-java8","java11Runtime":"JBOSSEAP|7.4.17-java11","java17Runtime":"JBOSSEAP|7.4.17-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.17-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.17-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.17-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8","java11Runtime":"JBOSSEAP|7.4.16-java11","java17Runtime":"JBOSSEAP|7.4.16-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8","java11Runtime":"JBOSSEAP|7.4.13-java11","java17Runtime":"JBOSSEAP|7.4.13-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8","java11Runtime":"JBOSSEAP|7.4.7-java11","java17Runtime":"JBOSSEAP|7.4.7-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8","java11Runtime":"JBOSSEAP|7.4.5-java11","java17Runtime":"JBOSSEAP|7.4.5-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8","java11Runtime":"JBOSSEAP|7.4.2-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8","java11Runtime":"JBOSSEAP|7.4.1-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8","java11Runtime":"JBOSSEAP|7.4.0-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8","java11Runtime":"JBOSSEAP|7.3.10-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8","java11Runtime":"JBOSSEAP|7.3.9-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3","value":"7.3","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3-java8","java11Runtime":"JBOSSEAP|7.3-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4","value":"7.4","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4-java8","java11Runtime":"JBOSSEAP|7.4-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4-java11"}]}}},{"displayText":"JBoss + EAP 7.2","value":"7.2.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.2-java8","isDeprecated":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.2-java8"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"jbosseap7_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8_byol","java11Runtime":"JBOSSEAP|7-java11_byol","java17Runtime":"JBOSSEAP|7-java17_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.23-java8_byol","java11Runtime":"JBOSSEAP|7.4.23-java11_byol","java17Runtime":"JBOSSEAP|7.4.23-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8_byol","java11Runtime":"JBOSSEAP|7.4.22-java11_byol","java17Runtime":"JBOSSEAP|7.4.22-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21 BYO License","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8_byol","java11Runtime":"JBOSSEAP|7.4.21-java11_byol","java17Runtime":"JBOSSEAP|7.4.21-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20 BYO License","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8_byol","java11Runtime":"JBOSSEAP|7.4.20-java11_byol","java17Runtime":"JBOSSEAP|7.4.20-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18 BYO License","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8_byol","java11Runtime":"JBOSSEAP|7.4.18-java11_byol","java17Runtime":"JBOSSEAP|7.4.18-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16 BYO License","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8_byol","java11Runtime":"JBOSSEAP|7.4.16-java11_byol","java17Runtime":"JBOSSEAP|7.4.16-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13 BYO License","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8_byol","java11Runtime":"JBOSSEAP|7.4.13-java11_byol","java17Runtime":"JBOSSEAP|7.4.13-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7 BYO License","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8_byol","java11Runtime":"JBOSSEAP|7.4.7-java11_byol","java17Runtime":"JBOSSEAP|7.4.7-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5 BYO License","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8_byol","java11Runtime":"JBOSSEAP|7.4.5-java11_byol","java17Runtime":"JBOSSEAP|7.4.5-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2 BYO License","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8_byol","java11Runtime":"JBOSSEAP|7.4.2-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1 BYO License","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8_byol","java11Runtime":"JBOSSEAP|7.4.1-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0 BYO License","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8_byol","java11Runtime":"JBOSSEAP|7.4.0-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10 BYO License","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8_byol","java11Runtime":"JBOSSEAP|7.3.10-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9 BYO License","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8_byol","java11Runtime":"JBOSSEAP|7.3.9-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11_byol"}]}}}]},{"displayText":"Apache + Tomcat 11.0","value":"tomcat11.0","minorVersions":[{"displayText":"Apache + Tomcat 11.0","value":"11.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|11.0-java25","java21Runtime":"TOMCAT|11.0-java21","java17Runtime":"TOMCAT|11.0-java17","java11Runtime":"TOMCAT|11.0-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.15","value":"11.0.15","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.15","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|11.0-java11","java17Runtime":"TOMCAT|11.0.15-java17","java21Runtime":"TOMCAT|11.0.15-java21","java25Runtime":"TOMCAT|11.0.15-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0.15-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.15-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.15-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.11","value":"11.0.11","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.11","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.11-java17","java21Runtime":"TOMCAT|11.0.11-java21","java25Runtime":"TOMCAT|11.0.11-java25","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.11-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.11-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.11-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.9","value":"11.0.9","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.9","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.9-java17","java21Runtime":"TOMCAT|11.0.9-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.9-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.9-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.8","value":"11.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.8","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.8-java17","java21Runtime":"TOMCAT|11.0.8-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.8-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.8-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.7","value":"11.0.7","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.7","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java17Runtime":"TOMCAT|11.0.7-java17","java21Runtime":"TOMCAT|11.0.7-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.7-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.7-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.6","value":"11.0.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.6","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.6-java17","java21Runtime":"TOMCAT|11.0.6-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.6-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.6-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.5","value":"11.0.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.5","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.5-java17","java21Runtime":"TOMCAT|11.0.5-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.5-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.5-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.4","value":"11.0.4","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.4","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.4-java17","java21Runtime":"TOMCAT|11.0.4-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.4-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.4-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.2","value":"11.0.2","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.2","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.2-java17","java21Runtime":"TOMCAT|11.0.2-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.2-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.2-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.1","value":"11.0.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.1","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.1-java17","java21Runtime":"TOMCAT|11.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.1-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.1","value":"tomcat10.1","minorVersions":[{"displayText":"Apache + Tomcat 10.1","value":"10.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|10.1-java25","java21Runtime":"TOMCAT|10.1-java21","java17Runtime":"TOMCAT|10.1-java17","java11Runtime":"TOMCAT|10.1-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.50","value":"10.1.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.50","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.50-java11","java17Runtime":"TOMCAT|10.1.50-java17","java21Runtime":"TOMCAT|10.1.50-java21","java25Runtime":"TOMCAT|10.1.50-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.50-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.50-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.50-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.50-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.46","value":"10.1.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.46","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.46-java11","java17Runtime":"TOMCAT|10.1.46-java17","java21Runtime":"TOMCAT|10.1.46-java21","java25Runtime":"TOMCAT|10.1.46-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.46-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.46-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.46-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.46-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.43","value":"10.1.43","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.43","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.43-java11","java17Runtime":"TOMCAT|10.1.43-java17","java21Runtime":"TOMCAT|10.1.43-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.43-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.43-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.43-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.42","value":"10.1.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.42","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.42-java11","java17Runtime":"TOMCAT|10.1.42-java17","java21Runtime":"TOMCAT|10.1.42-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.42-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.42-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.42-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.41","value":"10.1.41","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.41","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java11Runtime":"TOMCAT|10.1.41-java11","java17Runtime":"TOMCAT|10.1.41-java17","java21Runtime":"TOMCAT|10.1.41-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.41-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.41-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.41-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.40","value":"10.1.40","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.40","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.40-java11","java17Runtime":"TOMCAT|10.1.40-java17","java21Runtime":"TOMCAT|10.1.40-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.40-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.40-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.40-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.39","value":"10.1.39","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.39","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.39-java11","java17Runtime":"TOMCAT|10.1.39-java17","java21Runtime":"TOMCAT|10.1.39-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.39-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.39-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.39-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.36","value":"10.1.36","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.36","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.36-java11","java17Runtime":"TOMCAT|10.1.36-java17","java21Runtime":"TOMCAT|10.1.36-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.36-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.36-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.36-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.34","value":"10.1.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.34","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.34-java11","java17Runtime":"TOMCAT|10.1.34-java17","java21Runtime":"TOMCAT|10.1.34-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.34-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.34-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.34-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.33","value":"10.1.33","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.33","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.33-java11","java17Runtime":"TOMCAT|10.1.33-java17","java21Runtime":"TOMCAT|10.1.33-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.33-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.33-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.33-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.31","value":"10.1.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.31","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.31-java11","java17Runtime":"TOMCAT|10.1.31-java17","java21Runtime":"TOMCAT|10.1.31-java21","isHidden":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.31-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.31-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.31-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.28","value":"10.1.28","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.28","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.28-java11","java17Runtime":"TOMCAT|10.1.28-java17","java21Runtime":"TOMCAT|10.1.28-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.28-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.28-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.28-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.25","value":"10.1.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.25","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.25-java11","java17Runtime":"TOMCAT|10.1.25-java17","java21Runtime":"TOMCAT|10.1.25-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.25-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.25-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.25-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.23","value":"10.1.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.23","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.23-java11","java17Runtime":"TOMCAT|10.1.23-java17","java21Runtime":"TOMCAT|10.1.23-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.23-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.23-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.16","value":"10.1.16","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.16","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.16-java11","java17Runtime":"TOMCAT|10.1.16-java17","java21Runtime":"TOMCAT|10.1.16-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.16-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.16-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.16-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.0","value":"tomcat10.0","minorVersions":[{"displayText":"Apache + Tomcat 10.0","value":"10.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|10.0-java17","java11Runtime":"TOMCAT|10.0-java11","java8Runtime":"TOMCAT|10.0-jre8","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.27","value":"10.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.27-java8","java11Runtime":"TOMCAT|10.0.27-java11","java17Runtime":"TOMCAT|10.0.27-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.27-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.27-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.27-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.23","value":"10.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.23","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.23-java8","java11Runtime":"TOMCAT|10.0.23-java11","java17Runtime":"TOMCAT|10.0.23-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.23-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.23-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.21","value":"10.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.21","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.21-java8","java11Runtime":"TOMCAT|10.0.21-java11","java17Runtime":"TOMCAT|10.0.21-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.21-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.21-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.21-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.20","value":"10.0.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.20","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.20-java8","java11Runtime":"TOMCAT|10.0.20-java11","java17Runtime":"TOMCAT|10.0.20-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.20-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.20-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.12","value":"10.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.12","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.12-java8","java11Runtime":"TOMCAT|10.0.12-java11","java17Runtime":"TOMCAT|10.0.12-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.12-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.12-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.12-java17"}]}}}]},{"displayText":"Apache + Tomcat 9.0","value":"tomcat9.0","minorVersions":[{"displayText":"Apache Tomcat + 9.0","value":"9.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|9.0-java25","java21Runtime":"TOMCAT|9.0-java21","java17Runtime":"TOMCAT|9.0-java17","java11Runtime":"TOMCAT|9.0-java11","java8Runtime":"TOMCAT|9.0-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.113","value":"9.0.113","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.113","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.113-java8","java11Runtime":"TOMCAT|9.0.113-java11","java17Runtime":"TOMCAT|9.0.113-java17","java21Runtime":"TOMCAT|9.0.113-java21","java25Runtime":"TOMCAT|9.0.113-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.113-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.113-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.113-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.113-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.113-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.109","value":"9.0.109","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.109","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.109-java8","java11Runtime":"TOMCAT|9.0.109-java11","java17Runtime":"TOMCAT|9.0.109-java17","java21Runtime":"TOMCAT|9.0.109-java21","java25Runtime":"TOMCAT|9.0.109-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.109-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.109-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.109-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.109-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.109-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.107","value":"9.0.107","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.107","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.107-java8","java11Runtime":"TOMCAT|9.0.107-java11","java17Runtime":"TOMCAT|9.0.107-java17","java21Runtime":"TOMCAT|9.0.107-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.107-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.107-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.107-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.107-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.106","value":"9.0.106","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.106","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.106-java8","java11Runtime":"TOMCAT|9.0.106-java11","java17Runtime":"TOMCAT|9.0.106-java17","java21Runtime":"TOMCAT|9.0.106-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.106-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.106-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.106-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.106-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.105","value":"9.0.105","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.105","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java8Runtime":"TOMCAT|9.0.105-java8","java11Runtime":"TOMCAT|9.0.105-java11","java17Runtime":"TOMCAT|9.0.105-java17","java21Runtime":"TOMCAT|9.0.105-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.105-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.105-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.105-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.105-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.104","value":"9.0.104","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.104","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.104-java8","java11Runtime":"TOMCAT|9.0.104-java11","java17Runtime":"TOMCAT|9.0.104-java17","java21Runtime":"TOMCAT|9.0.104-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.104-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.104-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.104-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.104-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.102","value":"9.0.102","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.102","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.102-java8","java11Runtime":"TOMCAT|9.0.102-java11","java17Runtime":"TOMCAT|9.0.102-java17","java21Runtime":"TOMCAT|9.0.102-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.102-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.102-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.102-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.102-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.100","value":"9.0.100","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.100","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.100-java8","java11Runtime":"TOMCAT|9.0.100-java11","java17Runtime":"TOMCAT|9.0.100-java17","java21Runtime":"TOMCAT|9.0.100-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.100-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.100-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.100-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.98","value":"9.0.98","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.98","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.98-java8","java11Runtime":"TOMCAT|9.0.98-java11","java17Runtime":"TOMCAT|9.0.98-java17","java21Runtime":"TOMCAT|9.0.98-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.98-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.98-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.98-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.98-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.97","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.97","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.97-java8","java11Runtime":"TOMCAT|9.0.97-java11","java17Runtime":"TOMCAT|9.0.97-java17","java21Runtime":"TOMCAT|9.0.97-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.97-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.97-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.97-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.97-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.96","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.96","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.96-java8","java11Runtime":"TOMCAT|9.0.96-java11","java17Runtime":"TOMCAT|9.0.96-java17","java21Runtime":"TOMCAT|9.0.96-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.96-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.96-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.96-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.93","value":"9.0.93","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.93","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.93-java8","java11Runtime":"TOMCAT|9.0.93-java11","java17Runtime":"TOMCAT|9.0.93-java17","java21Runtime":"TOMCAT|9.0.93-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.93-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.93-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.93-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.93-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.91","value":"9.0.91","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.91","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.91-java8","java11Runtime":"TOMCAT|9.0.91-java11","java17Runtime":"TOMCAT|9.0.91-java17","java21Runtime":"TOMCAT|9.0.91-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.91-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.91-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.91-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.91-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.90","value":"9.0.90","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.90","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.90-java8","java11Runtime":"TOMCAT|9.0.90-java11","java17Runtime":"TOMCAT|9.0.90-java17","java21Runtime":"TOMCAT|9.0.90-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.90-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.90-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.90-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.90-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.88","value":"9.0.88","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.88","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.88-java8","java11Runtime":"TOMCAT|9.0.88-java11","java17Runtime":"TOMCAT|9.0.88-java17","java21Runtime":"TOMCAT|9.0.88-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.88-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.88-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.88-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.88-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.83","value":"9.0.83","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.83","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.83-java8","java11Runtime":"TOMCAT|9.0.83-java11","java17Runtime":"TOMCAT|9.0.83-java17","java21Runtime":"TOMCAT|9.0.83-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.83-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.83-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.83-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.83-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.65","value":"9.0.65","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.65","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.65-java8","java11Runtime":"TOMCAT|9.0.65-java11","java17Runtime":"TOMCAT|9.0.65-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.65-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.65-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.65-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.63","value":"9.0.63","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.63","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.63-java8","java11Runtime":"TOMCAT|9.0.63-java11","java17Runtime":"TOMCAT|9.0.63-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.63-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.63-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.63-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.62","value":"9.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.62","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.62-java8","java11Runtime":"TOMCAT|9.0.62-java11","java17Runtime":"TOMCAT|9.0.62-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.62-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.62-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.62-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.54","value":"9.0.54","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.54","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.54-java8","java11Runtime":"TOMCAT|9.0.54-java11","java17Runtime":"TOMCAT|9.0.54-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.54-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.54-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.54-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.52","value":"9.0.52","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.52","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.52-java8","java11Runtime":"TOMCAT|9.0.52-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.52-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.52-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.46","value":"9.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.46","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.46-java8","java11Runtime":"TOMCAT|9.0.46-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.46-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.46-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.41","value":"9.0.41","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.41-java8","java11Runtime":"TOMCAT|9.0.41-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.41-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.38","value":"9.0.38","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.38","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.37","value":"9.0.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.37","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.37-java11","java8Runtime":"TOMCAT|9.0.37-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.37-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.37-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.33","value":"9.0.33","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.33-java11","java8Runtime":"TOMCAT|9.0.33-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.33-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.33-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.31","value":"9.0.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.31","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.27","value":"9.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.21","value":"9.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.21","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.20","value":"9.0.20","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.20-java11","java8Runtime":"TOMCAT|9.0.20-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.20-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.14","value":"9.0.14","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.14","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.12","value":"9.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.12","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.8","value":"9.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.8","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.0","value":"9.0.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.0","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.5","value":"tomcat8.5","minorVersions":[{"displayText":"Apache Tomcat + 8.5","value":"8.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5-java11","java8Runtime":"TOMCAT|8.5-jre8","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.100","value":"8.5.100","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.100-java8","java11Runtime":"TOMCAT|8.5.100-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.100-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.100","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.96","value":"8.5.96","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.96-java8","java11Runtime":"TOMCAT|8.5.96-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.96-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.96","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.82","value":"8.5.82","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.82-java8","java11Runtime":"TOMCAT|8.5.82-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.82-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.82-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.82","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.79","value":"8.5.79","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.79-java8","java11Runtime":"TOMCAT|8.5.79-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.79-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.79-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.79","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.78","value":"8.5.78","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.78-java8","java11Runtime":"TOMCAT|8.5.78-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.78-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.78-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.78","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.72","value":"8.5.72","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.72-java8","java11Runtime":"TOMCAT|8.5.72-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.72-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.72-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.72","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.69","value":"8.5.69","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.69-java8","java11Runtime":"TOMCAT|8.5.69-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.69-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.69-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.69","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.66","value":"8.5.66","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.66-java8","java11Runtime":"TOMCAT|8.5.66-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.66-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.66-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.66","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.61","value":"8.5.61","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.61-java8","java11Runtime":"TOMCAT|8.5.61-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.61-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.61-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.58","value":"8.5.58","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.58","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.57","value":"8.5.57","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.57","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.57-java11","java8Runtime":"TOMCAT|8.5.57-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.57-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.57-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.53","value":"8.5.53","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.53-java11","java8Runtime":"TOMCAT|8.5.53-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.53-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.53-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.51","value":"8.5.51","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.51","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.47","value":"8.5.47","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.47","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.42","value":"8.5.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.42","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.41","value":"8.5.41","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.41-java11","java8Runtime":"TOMCAT|8.5.41-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.41-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.37","value":"8.5.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.37","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.34","value":"8.5.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.34","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.31","value":"8.5.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.31","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.20","value":"8.5.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.20","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.6","value":"8.5.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.6","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.0","value":"tomcat8.0","minorVersions":[{"displayText":"Apache Tomcat + 8.0","value":"8.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.53","value":"8.0.53","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.53","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.46","value":"8.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.46","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.23","value":"8.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.23","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 7.0","value":"tomcat7.0","minorVersions":[{"displayText":"Apache Tomcat + 7.0","value":"7.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.94","value":"7.0.94","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.94","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.81","value":"7.0.81","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.81","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.62","value":"7.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.62","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.50","value":"7.0.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.50","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.3","value":"jetty9.3","minorVersions":[{"displayText":"Jetty 9.3","value":"9.3","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.25","value":"9.3.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.25","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.13","value":"9.3.13","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.13","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.1","value":"jetty9.1","minorVersions":[{"displayText":"Jetty 9.1","value":"9.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.1.0","value":"9.1.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1.0","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"WildFly + 14","value":"wildfly14","minorVersions":[{"displayText":"WildFly 14","value":"14","stackSettings":{"linuxContainerSettings":{"java8Runtime":"WILDFLY|14-jre8","isDeprecated":true,"isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14-jre8"}]}}},{"displayText":"WildFly + 14.0.1","value":"14.0.1","stackSettings":{"linuxContainerSettings":{"isDeprecated":true,"java8Runtime":"WILDFLY|14.0.1-java8","runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14.0.1-java8"}]}}}]}]}},{"id":null,"name":"staticsite","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"HTML + (Static Content)","value":"staticsite","preferredOs":"linux","majorVersions":[{"displayText":"HTML + (Static Content)","value":"1","minorVersions":[{"displayText":"HTML (Static + Content)","value":"1.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"STATICSITE|1.0","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false}}}}]}]}},{"id":null,"name":"go","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Go","value":"go","preferredOs":"linux","majorVersions":[{"displayText":"Go + 1","value":"go1","minorVersions":[{"displayText":"Go 1.19 (Experimental)","value":"go1.19","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.19","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":true},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false}}},{"displayText":"Go + 1.18 (Experimental)","value":"go1.18","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":false},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false,"isDeprecated":true}}}]}]}}],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '187558' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:58:57 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - '' + x-msedge-ref: + - 'Ref A: AE986D21F13E4FA789AEE4B3D615FB08 Ref B: PNQ231110907036 Ref C: 2026-04-02T10:58:56Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"location": "West US 2", "properties": {"serverFarmId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003", + "reserved": false, "isXenon": false, "hyperV": false, "siteConfig": {"netFrameworkVersion": + "v4.6", "linuxFxVersion": "PYTHON|3.11", "appSettings": [], "localMySqlEnabled": + false, "http20Enabled": true, "http20ProxyFlag": 0}, "scmSiteAlsoStopped": false, + "httpsOnly": false}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '503' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:58:59.4533333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":false,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9296' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:18 GMT + etag: + - 1DCC28FB57207D5,1DCC28FB5AB8160,1DCC28FB5C57200 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/48b44a25-f826-4141-8440-f528bcdb2878 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '800' + x-msedge-ref: + - 'Ref A: 63B3AF3E6C1A4DDA8E072C6C8ECFFF88 Ref B: PNQ231110907052 Ref C: 2026-04-02T10:58:58Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"format": "WebDeploy"}' + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '23' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/publishxml?api-version=2024-11-01 + response: + body: + string: + headers: + cache-control: + - no-cache + content-length: + - '1481' + content-type: + - application/xml + date: + - Thu, 02 Apr 2026 10:59:20 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/543f1257-e084-4357-94be-a7d1b235cc7d + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: 5B2C44B4A076423ABBB007FFAD01938B Ref B: PNQ231110907042 Ref C: 2026-04-02T10:59:20Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9102' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:21 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: F2A168603E2D459E9F21E6967F81DA9E Ref B: PNQ231110909034 Ref C: 2026-04-02T10:59:21Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9102' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:22 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 1E12F5DEA9D2486498C84945DBC5D52C Ref B: PNQ231110908040 Ref C: 2026-04-02T10:59:22Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9102' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:23 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: E04762BF6E524D03843EE4B2E004E2C8 Ref B: PNQ231110909052 Ref C: 2026-04-02T10:59:23Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9102' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:24 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 3F65A101D6E74B3CB82754D4E23E0239 Ref B: PNQ231110907042 Ref C: 2026-04-02T10:59:24Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2023-12-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9036' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:25 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 098DEE09FF9941BFB6FED527B3C4AAB6 Ref B: PNQ231110909062 Ref C: 2026-04-02T10:59:25Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/basicPublishingCredentialsPolicies/scm?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/basicPublishingCredentialsPolicies/scm","name":"scm","type":"Microsoft.Web/sites/basicPublishingCredentialsPolicies","location":"West + US 2","properties":{"allow":false}}' + headers: + cache-control: + - no-cache + content-length: + - '338' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:25 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/e4fed77c-6e4a-4d7a-91f1-dac5cd7aba9e + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 7AF798B53CCC41CE87875C116F31FCCE Ref B: PNQ231110907040 Ref C: 2026-04-02T10:59:26Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/instances?api-version=2024-11-01 + response: + body: + string: '{"value":[],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '38' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:28 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/d845d38d-3705-412f-9a96-0381e408b977 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 209DA90191F746369EA12DFE17797E0D Ref B: PNQ231110908042 Ref C: 2026-04-02T10:59:28Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: !!binary | + UEsDBAoAAAAAAEaK/jYAAAAAAAAAAAAAAAAJAAQATUVUQS1JTkYv/soAAFBLAwQKAAAACABFiv42 + 4voCvl4AAABqAAAAFAAAAE1FVEEtSU5GL01BTklGRVNULk1G803My0xLLS7RDUstKs7Mz7NSMNQz + 4OVyzEMScSxITM5IVQCKASXN9Ex5uZyLUhNLUlN0nSpB6k31DOINzHSTDEwVNIJL8xR8M5OL8osr + i0tSc4sVPPOS9TR5uXi5AFBLAwQKAAAAAABOg/42AAAAAAAAAAAAAAAACAAAAFdFQi1JTkYvUEsD + BAoAAAAAAE+D/jYAAAAAAAAAAAAAAAAQAAAAV0VCLUlORi9jbGFzc2VzL1BLAwQKAAAAAABPg/42 + AAAAAAAAAAAAAAAAGgAAAFdFQi1JTkYvY2xhc3Nlcy9teXBhY2thZ2UvUEsDBAoAAAAAAE6D/jYA + AAAAAAAAAAAAAAAMAAAAV0VCLUlORi9saWIvUEsDBAoAAAAAAE6D/jYAAAAAAAAAAAAAAAAHAAAA + aW1hZ2VzL1BLAwQKAAAACABPg/422qqRKSEDAADIBQAAJQAAAFdFQi1JTkYvY2xhc3Nlcy9teXBh + Y2thZ2UvSGVsbG8uY2xhc3ONVNtSE0EQPQOBDCGKBvEOrngBFLLiXbKJIneJiEJJlVU+bJIxWd1k + 1t2JQvkkf+SLFj74AX6UZc/sKpQXNJU6nTnTPd1zujNfv33+AmASqxkcxwRHvhc2rmiY5LiawTVc + 57jBcZPjFsdtjjscUxwFDoejyFHiuMtxj2Oa4z7HDMdsGnNpzDN0O17LUyWGztGxpwypGVkTDH1l + ryVW2s2KCNfdik9Mriyrrv/UDT29TsiUangRw+Fycytwq6/curAXhe/LAkNXTS4IxfBktPzSfeNu + 2pEI3/hC2Q2lAnuRYC0mnojXbRGpwj/dokC2IlHQVabDOIhh5D9PZ+BhcgLDv0tKcpE8b0NPiZBh + wMTYnrRXQ6+lNgxNDpm5zaoIlEf+aSyksUjUmmyHVTHvaYkyRpC8Ds7iBE4y9CixqXM2/TSWsniA + 5SzKeKhboclSGitZPMKyIYRbo97kHeUpX5TW3GbgC2s6CHyv6uqkVlKytUriO3bsRgI5dhJ6xKnI + 2pZVqVelL8Pi2wbVTXTOUbqFVkWGNREWh68ME5lyVBgbHTnoeM26FYXV4rDXpNMjW8kmZc3XvRfa + u4vSab9zTmNyn8qokknystdpVCz6qoawZFsFbWXJF5ZrJU0g3lV6P3BDvUP5tadRb9zakKFfs9zd + 0/Nxfl0uJ6vvEl9b3zYRQItJo/zLbDIM7d99hv4frV569LO7v4Ul3nscLv7fVDEcjISakS0lWmp9 + KyBiIJ5I23dbdXtN0YDVzZz31EUyaQzHRsf+MoL9f6BJgUCv/BY9G8fo1dCfDjA9goSnaGWTZWS7 + Ln0C+2C2TxN2G/IiBgmzsQOGcIYsg4Wz5EXBbIhsirjt8VzHDjo7ML6DFMPKRK7rI7oncmmD3GCP + wYzBXoNZgwcMHjTYt4c5ZPCwwdye3X6DRwwOGDxKuFv5MxwlvAV6AdGHKQygQLU6VHMRIyhhAvfo + pZzGHdzHXcxgDrNYJnyMeWxgAc+xiCqW4NF/UtJOGw/xDit4j1WjxqX4xoka+tcwzhmFtnEeF6iK + PkSk3Ag6MWqU7MAYRTFcNjWOfwdQSwMECgAAAAgAToP+NqF+ZQJ4AQAALQMAAA8AAABXRUItSU5G + L3dlYi54bWylksFLwzAUxs8O/B8evXixyTYVdHQTQVBB8TBBb5KlzzWaJiEvW6d/vVnbbZ0IHiy9 + 9Pvel/d7r8kuV6WGJXpS1oyTAesngEbaXJn5OLmbPqbn52cX6SC5nBz2sgpnqXAOYsbQOClCcCPO + 38VSMFoYJm3Jo8UN8fchYnLYg/jUxaMVqW2gqipWnTDr53zY7w/4y8P9VBZYilQZCsLIbZTUiGrn + 3koRasQ/msIfPm9neB2+nrIV5W2n7QaG7DSJozZqlityWnymRpQ4uUWt7TE8W69zuHJOq4Yp43tl + myiS9MqtC6J08FQogvgKIFU6jRA5QOwOgUqFYu3ahZcI8Q8gxAUJo75qPx4xE4Q5xNJQIHiMg5Vo + 8tolsG+13MGCa1yitg79EcHNQuXIWjS+z9aqhH6pMbT8Xakz/rRRMr5n/RKRWhBNyk8n5IeYI6vT + u1hjb3h2rfdZ0jJuKN7EfzItvE6dCAG9mfCiAelqPzA6XeOd31yY+PUNUEsDBAoAAAAIAE6D/jZu + +zjO4AAAAHgBAAAJAAAAaGVsbG8uanNwfVDLagMxDLwv7D+ohkALJW7vu4HcSk+BLfSsXTu2wbaM + VyH07+sHJbeCkUEzmtFoshz8aRwmq1HVnx17fVowJK/hnJJ3G7KjCJ/LBS5o9CQ7pXDl39BK6gdW + s5GnPN+t4wpXMVyLykpZ6TyLN9EMcqsK0DsT501H1q3lgoE9b7NwodjskikU66Nx1zYnue/Xqn3/ + f8WCj8OXdTuUx1YD3TjdGOgK2Gip0AqAXAkJc4Mq8UN7T6/wTdmrccCH+vGxg+wZZIvXkx5miPoO + C2cXzbNoKk/iBQ4dlvVC/WT93r9QSwMECgAAAAgAToP+Nqj7BpemBQAAoQUAABEAAABpbWFnZXMv + dG9tY2F0LmdpZgGhBV76R0lGODlhZABHALMAAO3t7SclH+jKc2lUFaeTWXZuWK2trdLS0s60Z4uL + iqSCH05LQv/cddKkHAAAAP///yH5BAAAAAAALAAAAABkAEcAAAT/8MlJq704X7OO/uBzLEZonqi0 + OEHipSCQOE4B37h00HRQ5hZDgLcAGk0GFq92fAAKvGGgScXMCEOezQglrgDV8ASKWC23uC6PAH2J + qysBYUlL4GbLgAD6e1OHDAJ0LGApO3QFDHN2fk0ALAyKgwkABgkJBQuam5sFBQkGaj0CkmiNQDsB + kQxmg66vrgSRc6anODsLqwKtUZ4EbEsLv2yZWTSJsw5FtkBJuasMmQsFBKTQDMay1wwIBQPayVPM + Oc7b5tBzNNbn13Pi4zfl7Ocrz/PoLPChoIUhqffm5oADyC0flQOWPF0yICMPiRCPVLErEKDiAmsC + AiAguAqBQSAy/3jBCuYGA4Ah66DtCkBN4KpqHJMtI9cLlIGExlwxyjBk4zYyqzLF3DZnJownNEj0 + o4AHFqUMK3yqDDAQgZ57CIilpIUDwIoAJYOMPJbhijmpkaymvLYr6QK0UHamqBd2Q05XdSXMoApQ + 7TmrVNdGWtEHxd4TlaRx+pRXQpKkMM9hYbdA4rkhS00cahzmEI8BgiMJPesArUoo7ww7kGtrSDUB + Wz15qii7dqYasqViSXp0CGcqAA7gQXatckUpx5NLMc43EmwotUI4OxUy51V2c0ynLT2PDwzCfg5Q + jDJAgZbQ0Sxf86gdGuYUJx1kNhLyc/kG+IcIC51xIDT2Z90WXf8MHx0hXBYB3IffggMoM5F620wT + kBm/mVRgDl7RscCCHOJHg3/bscTJYlFdlhpiF8Ignit6dMigg9u0hZttXbwVEBNHpagaDQPcZUCH + CMDmDnozXFRcDedk5ECFPMl3QwJZLKAAfg0SgQCHFFXUw3HEpbVCAaRQZCM0zCFYUWEhgIdCKMFc + iZ8Cxrj55gB0VjkNNQFZxFJAsh1ziQspTGcCUiwYU0CHVR66YJCw7YFkd0ndUxRI74EgBAsDzEmD + nG9WhCWLDgxAVEUElNGce0psOQSaIXj3AR4BuAinoohyqECddbKQgGkeXRcNjC9BqcyflzAp1oAT + jKCFi28y6yz/h0N06VxkL0kryQLz9bYkBpdG+ey3z8LpAIgcKWmsdMpcgEemVXIK7rsNmMfdUIEM + wZoRvlHQUKgLwjklvAA30KCvHEFhVBN7FZKhA//a2m+pAT87MHrmfJWtEV+K8FXDzkIXscQstLfN + wBcbcQgHLHDs7Aoqf8zhwOTq8tW58RABMA0uf5toklKU7EgWLTNr3oY5g1zDWrt1wEwrtOpcQ9Hf + ytucAHb63ARq4jbtbIMEQB01guO1MA4eU8obNIdReQ1ulUSM81jDXZyNXxxqg6vAlw0eLMYhmb58 + jGKL2TuM3Gr/G63VXQ3Rd78ijeVQAYTnLC+OYcS3eAPjsSDK/yugYFJZHgFMEzm8A2ccxl5o9/BD + U6+UFFwod4U++tY1dG1vFXv9u5sPFTzGeQavJ9BK6NRErADHDd57wwFD/Csutna9ojcGwn2eFOQ5 + V8kqfIovSMP2yd7FA806CNuD1uDmBL4JBi94+wcLI3ILykkp6CycCyTwy/swvI2fwSdoXAAQp4EV + Let+EHsTDcing+a5b1snYF1SEMKPGySGCOgT2plS0L65Ue4EzIOF2G5hPpZEzjxgiSAL+kUICzZu + CcpDgbKSQjgUnsuB+JlUVzYXjCbA7hhyyxviivSpGIKwTFyqggwQdDYhAuBiqeCYmuBBH/qxhFls + ow2aoKCySk5R0YdmCEDLBuAJTSTlB0mIVYe8+MUmzPCKzipDHR7wFVzRiY1tBCMNjea7V6wvj+QI + 49lQeJNCGvImDAQkErqQIDvSiQaKjCT9XhGACAAAO1BLAwQKAAAACABOg/423TCBj18BAAB8AgAA + CgAAAGluZGV4Lmh0bWyNUk1Lw0AQvRf6H4ZcvJRGr5IGBEHxJFTwvEkm2bGbTJjdtLa/3tldinoQ + hLBZ2Pc1j6lsGF29XlUWTRf/gYLDem/G2SEUz+gcb+CdxXUFPMyzo9YE4qkqM1AZ5ZXacHeGZmjZ + sexOlkJ8jpKmUa2GpUPZFbdFspF0Jh6NA3hpdwWNZkBfBh7VZDtQn6BlRuXT3v0nm6IUO9dvljzo + FyyC5RFhVgPoWcCAzzLmmweLxw4CAzm3+CAmYGSuV54XaRE6EmwDyxlYBjPRJbO4V7UTNr+lAjm6 + 0DQk71loaknt/HrFS3A0qRFN6e1HcHjEIzqeUW48PC3U4fZ7/jJXVqY2c7E6IKs2H2NOE6LcGU4s + hw2ceYHWTICf2C46B5I+SswaPXvW6k4xnUY5+HvVWtIWOIqSBioDVrDfFTaWvP3wc1G/7F9Tf1Vp + 6u2f2KL2KEeH4Qork3K8xP3IC5N37gtQSwECFAMKAAAAAABGiv42AAAAAAAAAAAAAAAACQAEAAAA + AAAAABAA7UEAAAAATUVUQS1JTkYv/soAAFBLAQIUAwoAAAAIAEWK/jbi+gK+XgAAAGoAAAAUAAAA + AAAAAAAAAACkgSsAAABNRVRBLUlORi9NQU5JRkVTVC5NRlBLAQIUAwoAAAAAAE6D/jYAAAAAAAAA + AAAAAAAIAAAAAAAAAAAAEADtQbsAAABXRUItSU5GL1BLAQIUAwoAAAAAAE+D/jYAAAAAAAAAAAAA + AAAQAAAAAAAAAAAAEADtQeEAAABXRUItSU5GL2NsYXNzZXMvUEsBAhQDCgAAAAAAT4P+NgAAAAAA + AAAAAAAAABoAAAAAAAAAAAAQAO1BDwEAAFdFQi1JTkYvY2xhc3Nlcy9teXBhY2thZ2UvUEsBAhQD + CgAAAAAAToP+NgAAAAAAAAAAAAAAAAwAAAAAAAAAAAAQAO1BRwEAAFdFQi1JTkYvbGliL1BLAQIU + AwoAAAAAAE6D/jYAAAAAAAAAAAAAAAAHAAAAAAAAAAAAEADtQXEBAABpbWFnZXMvUEsBAhQDCgAA + AAgAT4P+NtqqkSkhAwAAyAUAACUAAAAAAAAAAAAAAKSBlgEAAFdFQi1JTkYvY2xhc3Nlcy9teXBh + Y2thZ2UvSGVsbG8uY2xhc3NQSwECFAMKAAAACABOg/42oX5lAngBAAAtAwAADwAAAAAAAAAAAAAA + pIH6BAAAV0VCLUlORi93ZWIueG1sUEsBAhQDCgAAAAgAToP+Nm77OM7gAAAAeAEAAAkAAAAAAAAA + AAAAAKSBnwYAAGhlbGxvLmpzcFBLAQIUAwoAAAAIAE6D/jao+waXpgUAAKEFAAARAAAAAAAAAAAA + AACkgaYHAABpbWFnZXMvdG9tY2F0LmdpZlBLAQIUAwoAAAAIAE6D/jbdMIGPXwEAAHwCAAAKAAAA + AAAAAAAAAACkgXsNAABpbmRleC5odG1sUEsFBgAAAAAMAAwA5gIAAAIPAAAAAA== + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '4606' + Content-Type: + - application/octet-stream + User-Agent: + - AZURECLI/2.85.0 + x-ms-artifact-checksum: + - 89b33caa5bf4cfd235f060c396cb1a5acb2734a1366db325676f48c5f5ed92e5 + method: POST + uri: https://webapp-enriched-test000002.scm.azurewebsites.net/api/publish?type=war + response: + body: + string: Artifact type = 'War' cannot be deployed to stack = 'PYTHON'. Site should + be configured to run with stack = TOMCAT or JBOSSEAP or JAVA + headers: + content-length: + - '134' + content-type: + - text/plain; charset=utf-8 + date: + - Thu, 02 Apr 2026 10:59:50 GMT + server: + - Kestrel + set-cookie: + - ARRAffinity=9ceb0d94564f15680f53a693033b0cbb353949652b5352bcc366924c9c23533e;Path=/;HttpOnly;Secure;Domain=webapp-enriched-testwj3zb3laf5jym35k6pne.scm.azurewebsites.net + - ARRAffinitySameSite=9ceb0d94564f15680f53a693033b0cbb353949652b5352bcc366924c9c23533e;Path=/;HttpOnly;SameSite=None;Secure;Domain=webapp-enriched-testwj3zb3laf5jym35k6pne.scm.azurewebsites.net + transfer-encoding: + - chunked + vary: + - Accept-Encoding + status: + code: 400 + message: Bad Request +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/config/web?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/config/web","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"numberOfWorkers":1,"defaultDocuments":["Default.htm","Default.html","Default.asp","index.htm","index.html","iisstart.htm","default.aspx","index.php","hostingstart.html"],"netFrameworkVersion":"v4.0","phpVersion":"","pythonVersion":"","nodeVersion":"","powerShellVersion":"","linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":[],"requestTracingEnabled":false,"remoteDebuggingEnabled":false,"remoteDebuggingVersion":null,"httpLoggingEnabled":false,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":35,"detailedErrorLoggingEnabled":false,"publishingUsername":"REDACTED","publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":"None","use32BitWorkerProcess":true,"webSocketsEnabled":false,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":"","managedPipelineMode":"Integrated","virtualApplications":[{"virtualPath":"/","physicalPath":"site\\wwwroot","preloadEnabled":false,"virtualDirectories":null}],"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":false,"customAppPoolIdentityTenantState":false,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":"LeastRequests","routingRules":[],"experiments":{"rampUpRules":[]},"limits":null,"autoHealEnabled":false,"autoHealRules":null,"tracingOptions":null,"vnetName":"","vnetRouteAllEnabled":false,"vnetPrivatePortsCount":0,"publicNetworkAccess":null,"siteAuthEnabled":false,"siteAuthSettings":{"enabled":null,"unauthenticatedClientAction":null,"tokenStoreEnabled":null,"allowedExternalRedirectUrls":null,"defaultProvider":null,"clientId":null,"clientSecret":null,"clientSecretSettingName":null,"clientSecretCertificateThumbprint":null,"issuer":null,"allowedAudiences":null,"additionalLoginParams":null,"isAadAutoProvisioned":false,"aadClaimsAuthorization":null,"googleClientId":null,"googleClientSecret":null,"googleClientSecretSettingName":null,"googleOAuthScopes":null,"facebookAppId":null,"facebookAppSecret":null,"facebookAppSecretSettingName":null,"facebookOAuthScopes":null,"gitHubClientId":null,"gitHubClientSecret":null,"gitHubClientSecretSettingName":null,"gitHubOAuthScopes":null,"twitterConsumerKey":null,"twitterConsumerSecret":null,"twitterConsumerSecretSettingName":null,"microsoftAccountClientId":null,"microsoftAccountClientSecret":null,"microsoftAccountClientSecretSettingName":null,"microsoftAccountOAuthScopes":null,"configVersion":null},"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":false,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":false,"http20Enabled":true,"minTlsVersion":"1.2","minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":"1.2","ftpsState":"FtpsOnly","preWarmedInstanceCount":0,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":false,"functionsRuntimeScaleMonitoringEnabled":false,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":{},"http20ProxyFlag":0,"sitePort":null,"antivirusScanEnabled":false,"storageType":"StorageVolume","sitePrivateLinkHostEnabled":false,"clusteringEnabled":false,"webJobsEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '4199' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:51 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/ab08c432-9359-42f3-916f-816cf4befb7e + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 1F138592DDC24060B60BB9B23B3205C0 Ref B: PNQ231110907042 Ref C: 2026-04-02T10:59:51Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-133.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T10:59:19.4366667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Free","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.42.128.96","possibleInboundIpAddresses":"20.42.128.96","inboundIpv6Address":"2603:1030:c06:7::20","possibleInboundIpv6Addresses":"2603:1030:c06:7::20","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-133.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,20.42.128.96","possibleOutboundIpAddresses":"4.149.153.72,4.242.112.109,4.246.1.153,172.179.160.206,4.155.180.65,172.179.23.236,4.154.227.46,4.154.249.205,20.252.97.105,172.179.52.10,4.242.106.31,172.179.147.40,4.154.250.219,4.155.124.123,20.3.25.35,172.179.98.39,172.179.62.60,172.179.154.219,52.250.82.200,52.250.35.152,4.149.89.82,172.179.180.245,20.115.175.113,52.250.37.17,172.179.65.118,4.149.65.98,4.242.114.81,172.179.168.97,172.179.162.4,52.250.85.2,20.42.128.96","outboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","possibleOutboundIpv6Addresses":"2603:1030:c04:14::c9,2603:1030:c04:11::13,2603:1030:c04:c::38,2603:1030:c04:7::e2,2603:1030:c04:a::b5,2603:1030:c04:7::e3,2603:1030:c04:c::b4,2603:1030:c04:14::c6,2603:1030:c04:14::c7,2603:1030:c04:3::1c3,2603:1030:c04:a::b4,2603:1030:c04:d::c4,2603:1030:c04:6::63,2603:1030:c04:c::b5,2603:1030:c04:14::c8,2603:1030:c02:9::34e,2603:1030:c04:f::c2,2603:1030:c04:7::c8,2603:1030:c04:3::1c9,2603:1030:c04:c::b6,2603:1030:c04:7::c9,2603:1030:c04:b::c6,2603:1030:c04:c::b7,2603:1030:c04:3::1cf,2603:1030:c02:8::37f,2603:1030:c04:11::b8,2603:1030:c04:f::c3,2603:1030:c04:3::1d2,2603:1030:c04:11::b9,2603:1030:c04:a::ba,2603:1030:c06:7::20,2603:10e1:100:2::142a:8060,2603:1030:c06:6::2a,2603:10e1:100:2::142a:8072","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-133","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9102' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:52 GMT + etag: + - 1DCC28FC15B3ECB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 0FD761E340DA46D5AA28B75A6D1782A2 Ref B: PNQ231110907060 Ref C: 2026-04-02T10:59:52Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","name":"webapp-enriched-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":31087,"name":"webapp-enriched-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":1,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":1,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_enriched_errors000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-133_31087","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T10:58:53.3633333","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"F1","tier":"Free","size":"F1","family":"F","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1797' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 10:59:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 7318E90894F34D318A8AED6F4257DA6A Ref B: PNQ231110909060 Ref C: 2026-04-02T10:59:53Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +version: 1 diff --git a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_without_enriched_errors.yaml b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_without_enriched_errors.yaml new file mode 100644 index 00000000000..3d25bebc88f --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_deploy_without_enriched_errors.yaml @@ -0,0 +1,1367 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_webapp_enriched_errors000001?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001","name":"cli_test_webapp_enriched_errors000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","test":"test_webapp_deploy_without_enriched_errors","date":"2026-04-02T11:00:06Z","module":"appservice"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '427' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 02 Apr 2026 11:00:15 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 8339F3DD575C4F0480D062AA78A65C6D Ref B: PNQ231110909062 Ref C: 2026-04-02T11:00:14Z' + status: + code: 200 + message: OK +- request: + body: '{"location": "westus2", "properties": {"perSiteScaling": false, "reserved": + true}, "sku": {"capacity": 1, "name": "B1", "tier": "BASIC"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + Content-Length: + - '137' + Content-Type: + - application/json + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003?api-version=2025-03-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","name":"webapp-enriched-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"westus2","properties":{"serverFarmId":43784,"name":"webapp-enriched-plan000003","sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1},"workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":"2026-05-02T11:00:16.4266667","tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_enriched_errors000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-125_43784","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":null,"vnetConnectionsMax":null,"createdTime":"2026-04-02T11:00:18.82","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1895' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:00:56 GMT + etag: + - 1DCC28FE50D39B5 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/f6959c18-b72d-4370-85ae-176b6f26a8aa + x-ms-ratelimit-remaining-subscription-global-writes: + - '12000' + x-ms-ratelimit-remaining-subscription-writes: + - '800' + x-msedge-ref: + - 'Ref A: E471AE355FFE48D2B90FBAB216FFA8F0 Ref B: PNQ231110909054 Ref C: 2026-04-02T11:00:15Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","name":"webapp-enriched-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":43784,"name":"webapp-enriched-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":3,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":"2026-05-02T11:00:16.4266667","tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_enriched_errors000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-125_43784","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T11:00:18.82","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1818' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:00:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 9736FD4E7EB94F30BD01823CD3A5E4B1 Ref B: PNQ231110907029 Ref C: 2026-04-02T11:00:57Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"name": "webapp-enriched-test000002", "type": "Site"}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '54' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2024-11-01 + response: + body: + string: '{"nameAvailable":true,"reason":"","message":""}' + headers: + cache-control: + - no-cache + content-length: + - '47' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:00:58 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/jioindiacentral/96fe3396-5687-4007-ba6d-9c67da8b3e5c + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 96EFEC50948445509EAAEF807322A70D Ref B: PNQ231110906040 Ref C: 2026-04-02T11:00:58Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":null,"name":"dotnet","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":".NET","value":"dotnet","preferredOs":"windows","majorVersions":[{"displayText":".NET + 10 (LTS)","value":"dotnet10","minorVersions":[{"displayText":".NET 10 (LTS)","value":"10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-12-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-12-01T00:00:00Z"}}}]},{"displayText":".NET + 9 (STS)","value":"dotnet9","minorVersions":[{"displayText":".NET 9 (STS)","value":"9","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 8 (LTS)","value":"dotnet8","minorVersions":[{"displayText":".NET 8 (LTS)","value":"8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 7 (STS)","value":"dotnet7","minorVersions":[{"displayText":".NET 7 (STS)","value":"7","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-05-14T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-05-14T00:00:00Z"}}}]},{"displayText":".NET + 6","value":"dotnet6","minorVersions":[{"displayText":".NET 6 (LTS)","value":"6","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-11-12T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-11-12T00:00:00Z"}}}]},{"displayText":".NET + 5","value":"dotnet5","minorVersions":[{"displayText":".NET 5","value":"5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-05-08T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-05-08T00:00:00Z"}}}]},{"displayText":".NET + Core 3","value":"dotnetcore3","minorVersions":[{"displayText":".NET Core 3.1 + (LTS)","value":"3.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"}}},{"displayText":".NET + Core 3.0","value":"3.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2020-03-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2020-03-03T00:00:00Z"}}}]},{"displayText":".NET + Core 2","value":"dotnetcore2","minorVersions":[{"displayText":".NET Core 2.2","value":"2.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-23T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-23T00:00:00Z"}}},{"displayText":".NET + Core 2.1 (LTS)","value":"2.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-07-21T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-07-21T00:00:00Z"}}},{"displayText":".NET + Core 2.0","value":"2.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-10-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-10-01T00:00:00Z"}}}]},{"displayText":".NET + Core 1","value":"dotnetcore1","minorVersions":[{"displayText":".NET Core 1.1","value":"1.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}},{"displayText":".NET + Core 1.0","value":"1.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}}]},{"displayText":"ASP.NET + V4","value":"aspdotnetv4","minorVersions":[{"displayText":"ASP.NET V4.8","value":"v4.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v4.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"ASP.NET + V3","value":"aspdotnetv3","minorVersions":[{"displayText":"ASP.NET V3.5","value":"v3.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v2.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"node","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Node","value":"node","preferredOs":"linux","majorVersions":[{"displayText":"Node + LTS","value":"lts","minorVersions":[{"displayText":"Node LTS","value":"lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"}}}}]},{"displayText":"Node + 24","value":"24","minorVersions":[{"displayText":"Node 24 LTS","value":"24-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|24-lts","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~24","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-04-30T00:00:00Z"}}}]},{"displayText":"Node + 22","value":"22","minorVersions":[{"displayText":"Node 22 LTS","value":"22-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|22-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~22","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-04-30T00:00:00Z"}}}]},{"displayText":"Node + 20","value":"20","minorVersions":[{"displayText":"Node 20 LTS","value":"20-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|20-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~20","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-04-30T00:00:00Z"}}}]},{"displayText":"Node + 18","value":"18","minorVersions":[{"displayText":"Node 18 LTS","value":"18-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|18-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2025-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2025-04-30T00:00:00Z"}}}]},{"displayText":"Node + 16","value":"16","minorVersions":[{"displayText":"Node 16 LTS","value":"16-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|16-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-09-11T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-09-11T00:00:00Z"}}}]},{"displayText":"Node + 14","value":"14","minorVersions":[{"displayText":"Node 14 LTS","value":"14-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|14-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-04-30T00:00:00Z"}}}]},{"displayText":"Node + 12","value":"12","minorVersions":[{"displayText":"Node 12 LTS","value":"12-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"12.13.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}},{"displayText":"Node + 12.9","value":"12.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12.9","isDeprecated":true,"remoteDebuggingSupported":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}}]},{"displayText":"Node + 10","value":"10","minorVersions":[{"displayText":"Node 10 LTS","value":"10-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.16","value":"10.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.15","value":"10.15","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"10.15.2","isDeprecated":true,"isPreview":true,"isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.14","value":"10.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.14.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.12","value":"10.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.10","value":"10.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.0.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.6","value":"10.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.1","value":"10.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}}]},{"displayText":"Node + 9","value":"9","minorVersions":[{"displayText":"Node 9.4","value":"9.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|9.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-30T00:00:00Z"}}}]},{"displayText":"Node + 8","value":"8","minorVersions":[{"displayText":"Node 8 LTS","value":"8-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.12","value":"8.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.11","value":"8.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.10","value":"8.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.9","value":"8.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.8","value":"8.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.5","value":"8.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.4","value":"8.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.1.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}}]},{"displayText":"Node + 7","value":"7","minorVersions":[{"displayText":"Node 7.10","value":"7.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2017-06-30T00:00:00Z"}}}]},{"displayText":"Node + 6","value":"6","minorVersions":[{"displayText":"Node 6 LTS","value":"6-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.12","value":"6.12","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.11","value":"6.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.10","value":"6.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.9","value":"6.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"6.9.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.6","value":"6.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.5","value":"6.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.2","value":"6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}}]},{"displayText":"Node + 4","value":"4","minorVersions":[{"displayText":"Node 4.8","value":"4.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.5","value":"4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.4","value":"4.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}}]}]}},{"id":null,"name":"python","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Python","value":"python","preferredOs":"linux","majorVersions":[{"displayText":"Python + 3","value":"3","minorVersions":[{"displayText":"Python 3.14","value":"3.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.14","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.14"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2030-10-31T00:00:00Z"}}},{"displayText":"Python + 3.13","value":"3.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.13"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-10-31T00:00:00Z"}}},{"displayText":"Python + 3.12","value":"3.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.12"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-10-31T00:00:00Z"}}},{"displayText":"Python + 3.11","value":"3.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.11"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.10","value":"3.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.10","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.10"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-10-31T00:00:00Z","isHidden":false,"isEarlyAccess":false}}},{"displayText":"Python + 3.9","value":"3.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.9"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.8","value":"3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.8"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2024-10-07T00:00:00Z"}}},{"displayText":"Python + 3.7","value":"3.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.7","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.7"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-06-27T00:00:00Z"}}},{"displayText":"Python + 3.6","value":"3.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"},"endOfLifeDate":"2021-12-23T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"3.4.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"}}}}]},{"displayText":"Python + 2","value":"2","minorVersions":[{"displayText":"Python 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"php","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"PHP","value":"php","preferredOs":"linux","majorVersions":[{"displayText":"PHP + 8","value":"8","minorVersions":[{"displayText":"PHP 8.5","value":"8.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.5"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.4","value":"8.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.4"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.3","value":"8.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.3"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.2"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.1","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.1"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.0","isDeprecated":true,"isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.0"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-11-26T00:00:00Z"}}}]},{"displayText":"PHP + 7","value":"7","minorVersions":[{"displayText":"PHP 7.4","value":"7.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.3","value":"7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"}}},{"displayText":"PHP + 7.2","value":"7.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-11-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true},"endOfLifeDate":"2020-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.1","value":"7.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}},{"displayText":"7.0","value":"7.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]},{"displayText":"PHP + 5","value":"5","minorVersions":[{"displayText":"PHP 5.6","value":"5.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"ruby","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Ruby","value":"ruby","preferredOs":"linux","majorVersions":[{"displayText":"Ruby + 2","value":"2","minorVersions":[{"displayText":"Ruby 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.7.3","value":"2.7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"isHidden":true,"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6","value":"2.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6.2","value":"2.6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5","value":"2.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5.5","value":"2.5.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.4","value":"2.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.4.5","value":"2.4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.3","value":"2.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.8","value":"2.3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.3","value":"2.3.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.3","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}}]}]}},{"id":null,"name":"java","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java","value":"java","preferredOs":"linux","majorVersions":[{"displayText":"Java + 25","value":"25","minorVersions":[{"displayText":"Java 25","value":"25.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.1","value":"25.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.0","value":"25.0.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}}]},{"displayText":"Java + 21","value":"21","minorVersions":[{"displayText":"Java 21","value":"21.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.9","value":"21.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.6","value":"21.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.5","value":"21.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.4","value":"21.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.3","value":"21.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.1","value":"21.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}}]},{"displayText":"Java + 17","value":"17","minorVersions":[{"displayText":"Java 17","value":"17.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.17","value":"17.0.17","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.17","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.14","value":"17.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.13","value":"17.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.12","value":"17.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.11","value":"17.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.9","value":"17.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.4","value":"17.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.3","value":"17.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.2","value":"17.0.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.1","value":"17.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 11","value":"11","minorVersions":[{"displayText":"Java 11","value":"11.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.29","value":"11.0.29","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.29","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.26","value":"11.0.26","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.26","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.25","value":"11.0.25","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.25","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.24","value":"11.0.24","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.24","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.23","value":"11.0.23","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.23","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.21","value":"11.0.21","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.21","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.16","value":"11.0.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.16","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.15","value":"11.0.15","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.15","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.14","value":"11.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.13","value":"11.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.12","value":"11.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.11","value":"11.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.9","value":"11.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.8","value":"11.0.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.8","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.7","value":"11.0.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.7","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.6","value":"11.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.5","value":"11.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.5_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.3","value":"11.0.3","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.3_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.2","value":"11.0.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.2_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 8","value":"8","minorVersions":[{"displayText":"Java 8","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_472","value":"8.0.472","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_472","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_442","value":"8.0.442","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_442","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_432","value":"8.0.432","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_432","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_422","value":"8.0.422","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_422","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_412","value":"8.0.412","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_412","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_392","value":"8.0.392","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_392","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_345","value":"8.0.345","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_345","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_332","value":"8.0.332","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_332","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_322","value":"8.0.322","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_322","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_312","value":"8.0.312","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_312","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_302","value":"8.0.302","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_302","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_292","value":"8.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_292","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_282","value":"8.0.282","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_282","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_275","value":"8.0.275","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_265","value":"8.0.265","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_265","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_252","value":"8.0.252","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_252","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_242","value":"8.0.242","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_242","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_232","value":"8.0.232","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_232_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_212","value":"8.0.212","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_212_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202","value":"8.0.202","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202 (Oracle)","value":"8.0.202 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_181","value":"8.0.181","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_181 (Oracle)","value":"8.0.181 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_172","value":"8.0.172","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_172 (Oracle)","value":"8.0.172 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_144","value":"8.0.144","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_144","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_111 (Oracle)","value":"8.0.111 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_111","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_102","value":"8.0.102","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_102","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_92","value":"8.0.92","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_92","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_73 (Oracle)","value":"8.0.73 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_73","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_60 (Oracle)","value":"8.0.60 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_60","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_25 (Oracle)","value":"8.0.25 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_25","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"Java + 7","value":"7","minorVersions":[{"displayText":"Java 7","value":"7.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7","isAutoUpdate":true,"isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_292","value":"7.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_292","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_272","value":"7.0.272","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_272","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_262","value":"7.0.262","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_262","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_242","value":"7.0.242","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_242_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_222","value":"7.0.222","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_222_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_191","value":"7.0.191","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_191_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_80 (Oracle)","value":"7.0.80 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_80","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_71 (Oracle)","value":"7.0.71 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_71","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_51 (Oracle)","value":"7.0.51 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_51","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"javacontainers","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java + Containers","value":"javacontainers","majorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"javase","minorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"SE","stackSettings":{"windowsContainerSettings":{"javaContainer":"JAVA","javaContainerVersion":"SE","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"JAVA|25-java25","java21Runtime":"JAVA|21-java21","java17Runtime":"JAVA|17-java17","java11Runtime":"JAVA|11-java11","java8Runtime":"JAVA|8-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8-jre8"},{"runtimeVersion":"11","runtime":"JAVA|11-java11"},{"runtimeVersion":"17","runtime":"JAVA|17-java17"},{"runtimeVersion":"21","runtime":"JAVA|21-java21"},{"runtimeVersion":"25","runtime":"JAVA|25-java25"}]}}},{"displayText":"Java + SE 25.0.1","value":"25.0.1","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.1","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.1"}]}}},{"displayText":"Java + SE 25.0.0","value":"25.0.0","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.0","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.0"}]}}},{"displayText":"Java + SE 21.0.9","value":"21.0.9","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.9","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.9"}]}}},{"displayText":"Java + SE 21.0.8","value":"21.0.8","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.8","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.8"}]}}},{"displayText":"Java + SE 21.0.7","value":"21.0.7","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.7","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.7"}]}}},{"displayText":"Java + SE 21.0.6","value":"21.0.6","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.6","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.6"}]}}},{"displayText":"Java + SE 21.0.5","value":"21.0.5","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.5","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.5"}]}}},{"displayText":"Java + SE 21.0.4","value":"21.0.4","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.4","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.4"}]}}},{"displayText":"Java + SE 21.0.3","value":"21.0.3","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.3","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.3"}]}}},{"displayText":"Java + SE 21.0.1","value":"21.0.1","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.1","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.1"}]}}},{"displayText":"Java + SE 17.0.17","value":"17.0.17","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.17","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.17"}]}}},{"displayText":"Java + SE 17.0.16","value":"17.0.16","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.16","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.16"}]}}},{"displayText":"Java + SE 17.0.15","value":"17.0.15","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.15","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.15"}]}}},{"displayText":"Java + SE 17.0.14","value":"17.0.14","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.14","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.14"}]}}},{"displayText":"Java + SE 17.0.13","value":"17.0.13","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.13","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.13"}]}}},{"displayText":"Java + SE 17.0.12","value":"17.0.12","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.12","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.12"}]}}},{"displayText":"Java + SE 17.0.11","value":"17.0.11","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.11","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.11"}]}}},{"displayText":"Java + SE 17.0.9","value":"17.0.9","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.9","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.9"}]}}},{"displayText":"Java + SE 17.0.4","value":"17.0.4","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.4","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.4"}]}}},{"displayText":"Java + SE 17.0.3","value":"17.0.3","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.3","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.3"}]}}},{"displayText":"Java + SE 17.0.2","value":"17.0.2","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.2","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.2"}]}}},{"displayText":"Java + SE 17.0.1","value":"17.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.1","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.1"}]}}},{"displayText":"Java + SE 11.0.29","value":"11.0.29","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.29","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.29"}]}}},{"displayText":"Java + SE 11.0.28","value":"11.0.28","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.28","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.28"}]}}},{"displayText":"Java + SE 11.0.27","value":"11.0.27","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.27","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.27"}]}}},{"displayText":"Java + SE 11.0.26","value":"11.0.26","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.26","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.26"}]}}},{"displayText":"Java + SE 11.0.25","value":"11.0.25","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.25","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.25"}]}}},{"displayText":"Java + SE 11.0.24","value":"11.0.24","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.24","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.24"}]}}},{"displayText":"Java + SE 11.0.23","value":"11.0.23","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.23","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.23"}]}}},{"displayText":"Java + SE 11.0.21","value":"11.0.21","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.21","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.21"}]}}},{"displayText":"Java + SE 11.0.16","value":"11.0.16","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.16","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.16"}]}}},{"displayText":"Java + SE 11.0.15","value":"11.0.15","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.15","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.15"}]}}},{"displayText":"Java + SE 11.0.14","value":"11.0.14","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.14","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.14"}]}}},{"displayText":"Java + SE 11.0.13","value":"11.0.13","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.13","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.13"}]}}},{"displayText":"Java + SE 11.0.12","value":"11.0.12","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.12","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.12"}]}}},{"displayText":"Java + SE 11.0.11","value":"11.0.11","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.11","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.11"}]}}},{"displayText":"Java + SE 11.0.9","value":"11.0.9","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.9","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.9"}]}}},{"displayText":"Java + SE 11.0.7","value":"11.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.7","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.7"}]}}},{"displayText":"Java + SE 11.0.6","value":"11.0.6","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.6","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.6"}]}}},{"displayText":"Java + SE 11.0.5","value":"11.0.5","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.5","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.5"}]}}},{"displayText":"Java + SE 8u472","value":"1.8.472","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.472","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.472"}]}}},{"displayText":"Java + SE 8u462","value":"1.8.462","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.462","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.462"}]}}},{"displayText":"Java + SE 8u452","value":"1.8.452","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u452","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u452"}]}}},{"displayText":"Java + SE 8u442","value":"1.8.442","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u442","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u442"}]}}},{"displayText":"Java + SE 8u432","value":"1.8.432","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u432","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u432"}]}}},{"displayText":"Java + SE 8u422","value":"1.8.422","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u422","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u422"}]}}},{"displayText":"Java + SE 8u412","value":"1.8.412","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u412","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u412"}]}}},{"displayText":"Java + SE 8u392","value":"1.8.392","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u392","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u392"}]}}},{"displayText":"Java + SE 8u345","value":"1.8.345","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u345","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u345"}]}}},{"displayText":"Java + SE 8u332","value":"1.8.332","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u332","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u332"}]}}},{"displayText":"Java + SE 8u322","value":"1.8.322","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u322","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u322"}]}}},{"displayText":"Java + SE 8u312","value":"1.8.312","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u312","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u312"}]}}},{"displayText":"Java + SE 8u302","value":"1.8.302","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u302","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u302"}]}}},{"displayText":"Java + SE 8u292","value":"1.8.292","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u292","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u292"}]}}},{"displayText":"Java + SE 8u275","value":"1.8.275","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u275","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u275"}]}}},{"displayText":"Java + SE 8u252","value":"1.8.252","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u252","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u252"}]}}},{"displayText":"Java + SE 8u242","value":"1.8.242","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u242","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u242"}]}}},{"displayText":"Java + SE 8u232","value":"1.8.232","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u232","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u232"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1","value":"jbosseap8.1","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1 BYO License","value":"jbosseap8.1_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 0.1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0","value":"jbosseap8.0","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11","java17Runtime":"JBOSSEAP|8-java17","java21Runtime":"JBOSSEAP|8-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java11Runtime":"JBOSSEAP|8.0.9.1-java11","java17Runtime":"JBOSSEAP|8.0.9.1-java17","java21Runtime":"JBOSSEAP|8.0.9.1-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 8","value":"8.0.8","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.8-java11","java17Runtime":"JBOSSEAP|8.0.8-java17","java21Runtime":"JBOSSEAP|8.0.8-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11","java17Runtime":"JBOSSEAP|8.0.7-java17","java21Runtime":"JBOSSEAP|8.0.7-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11","java17Runtime":"JBOSSEAP|8.0.5.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11","java17Runtime":"JBOSSEAP|8.0.4.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 3","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11","java17Runtime":"JBOSSEAP|8.0.3-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1","value":"8.0.2.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2.1-java11","java17Runtime":"JBOSSEAP|8.0.2.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 1","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11","java17Runtime":"JBOSSEAP|8.0.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"jbosseap8.0_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11_byol","java17Runtime":"JBOSSEAP|8-java17_byol","java21Runtime":"JBOSSEAP|8-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.9.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.9.1-java17_byol","java21Runtime":"JBOSSEAP|8.0.9.1-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11_byol","java17Runtime":"JBOSSEAP|8.0.7-java17_byol","java21Runtime":"JBOSSEAP|8.0.7-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.5.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1 BYO License","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.4.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 3 BYO License","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11_byol","java17Runtime":"JBOSSEAP|8.0.3-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1 BYO License","value":"8.0.2","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2-java11_byol","java17Runtime":"JBOSSEAP|8.0.2-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 1 BYO License","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7","value":"jbosseap","minorVersions":[{"displayText":"Red Hat + JBoss EAP 7","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8","java11Runtime":"JBOSSEAP|7-java11","java17Runtime":"JBOSSEAP|7-java17","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java8Runtime":"JBOSSEAP|7.4.23-java8","java11Runtime":"JBOSSEAP|7.4.23-java11","java17Runtime":"JBOSSEAP|7.4.23-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8","java11Runtime":"JBOSSEAP|7.4.22-java11","java17Runtime":"JBOSSEAP|7.4.22-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8","java11Runtime":"JBOSSEAP|7.4.21-java11","java17Runtime":"JBOSSEAP|7.4.21-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8","java11Runtime":"JBOSSEAP|7.4.20-java11","java17Runtime":"JBOSSEAP|7.4.20-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8","java11Runtime":"JBOSSEAP|7.4.18-java11","java17Runtime":"JBOSSEAP|7.4.18-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.17","value":"7.4.17","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.17-java8","java11Runtime":"JBOSSEAP|7.4.17-java11","java17Runtime":"JBOSSEAP|7.4.17-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.17-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.17-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.17-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8","java11Runtime":"JBOSSEAP|7.4.16-java11","java17Runtime":"JBOSSEAP|7.4.16-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8","java11Runtime":"JBOSSEAP|7.4.13-java11","java17Runtime":"JBOSSEAP|7.4.13-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8","java11Runtime":"JBOSSEAP|7.4.7-java11","java17Runtime":"JBOSSEAP|7.4.7-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8","java11Runtime":"JBOSSEAP|7.4.5-java11","java17Runtime":"JBOSSEAP|7.4.5-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8","java11Runtime":"JBOSSEAP|7.4.2-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8","java11Runtime":"JBOSSEAP|7.4.1-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8","java11Runtime":"JBOSSEAP|7.4.0-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8","java11Runtime":"JBOSSEAP|7.3.10-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8","java11Runtime":"JBOSSEAP|7.3.9-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3","value":"7.3","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3-java8","java11Runtime":"JBOSSEAP|7.3-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4","value":"7.4","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4-java8","java11Runtime":"JBOSSEAP|7.4-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4-java11"}]}}},{"displayText":"JBoss + EAP 7.2","value":"7.2.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.2-java8","isDeprecated":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.2-java8"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"jbosseap7_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8_byol","java11Runtime":"JBOSSEAP|7-java11_byol","java17Runtime":"JBOSSEAP|7-java17_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.23-java8_byol","java11Runtime":"JBOSSEAP|7.4.23-java11_byol","java17Runtime":"JBOSSEAP|7.4.23-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8_byol","java11Runtime":"JBOSSEAP|7.4.22-java11_byol","java17Runtime":"JBOSSEAP|7.4.22-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21 BYO License","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8_byol","java11Runtime":"JBOSSEAP|7.4.21-java11_byol","java17Runtime":"JBOSSEAP|7.4.21-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20 BYO License","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8_byol","java11Runtime":"JBOSSEAP|7.4.20-java11_byol","java17Runtime":"JBOSSEAP|7.4.20-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18 BYO License","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8_byol","java11Runtime":"JBOSSEAP|7.4.18-java11_byol","java17Runtime":"JBOSSEAP|7.4.18-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16 BYO License","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8_byol","java11Runtime":"JBOSSEAP|7.4.16-java11_byol","java17Runtime":"JBOSSEAP|7.4.16-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13 BYO License","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8_byol","java11Runtime":"JBOSSEAP|7.4.13-java11_byol","java17Runtime":"JBOSSEAP|7.4.13-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7 BYO License","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8_byol","java11Runtime":"JBOSSEAP|7.4.7-java11_byol","java17Runtime":"JBOSSEAP|7.4.7-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5 BYO License","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8_byol","java11Runtime":"JBOSSEAP|7.4.5-java11_byol","java17Runtime":"JBOSSEAP|7.4.5-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2 BYO License","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8_byol","java11Runtime":"JBOSSEAP|7.4.2-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1 BYO License","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8_byol","java11Runtime":"JBOSSEAP|7.4.1-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0 BYO License","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8_byol","java11Runtime":"JBOSSEAP|7.4.0-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10 BYO License","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8_byol","java11Runtime":"JBOSSEAP|7.3.10-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9 BYO License","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8_byol","java11Runtime":"JBOSSEAP|7.3.9-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11_byol"}]}}}]},{"displayText":"Apache + Tomcat 11.0","value":"tomcat11.0","minorVersions":[{"displayText":"Apache + Tomcat 11.0","value":"11.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|11.0-java25","java21Runtime":"TOMCAT|11.0-java21","java17Runtime":"TOMCAT|11.0-java17","java11Runtime":"TOMCAT|11.0-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.15","value":"11.0.15","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.15","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|11.0-java11","java17Runtime":"TOMCAT|11.0.15-java17","java21Runtime":"TOMCAT|11.0.15-java21","java25Runtime":"TOMCAT|11.0.15-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0.15-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.15-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.15-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.11","value":"11.0.11","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.11","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.11-java17","java21Runtime":"TOMCAT|11.0.11-java21","java25Runtime":"TOMCAT|11.0.11-java25","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.11-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.11-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.11-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.9","value":"11.0.9","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.9","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.9-java17","java21Runtime":"TOMCAT|11.0.9-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.9-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.9-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.8","value":"11.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.8","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.8-java17","java21Runtime":"TOMCAT|11.0.8-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.8-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.8-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.7","value":"11.0.7","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.7","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java17Runtime":"TOMCAT|11.0.7-java17","java21Runtime":"TOMCAT|11.0.7-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.7-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.7-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.6","value":"11.0.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.6","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.6-java17","java21Runtime":"TOMCAT|11.0.6-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.6-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.6-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.5","value":"11.0.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.5","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.5-java17","java21Runtime":"TOMCAT|11.0.5-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.5-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.5-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.4","value":"11.0.4","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.4","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.4-java17","java21Runtime":"TOMCAT|11.0.4-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.4-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.4-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.2","value":"11.0.2","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.2","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.2-java17","java21Runtime":"TOMCAT|11.0.2-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.2-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.2-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.1","value":"11.0.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.1","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.1-java17","java21Runtime":"TOMCAT|11.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.1-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.1","value":"tomcat10.1","minorVersions":[{"displayText":"Apache + Tomcat 10.1","value":"10.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|10.1-java25","java21Runtime":"TOMCAT|10.1-java21","java17Runtime":"TOMCAT|10.1-java17","java11Runtime":"TOMCAT|10.1-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.50","value":"10.1.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.50","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.50-java11","java17Runtime":"TOMCAT|10.1.50-java17","java21Runtime":"TOMCAT|10.1.50-java21","java25Runtime":"TOMCAT|10.1.50-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.50-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.50-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.50-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.50-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.46","value":"10.1.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.46","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.46-java11","java17Runtime":"TOMCAT|10.1.46-java17","java21Runtime":"TOMCAT|10.1.46-java21","java25Runtime":"TOMCAT|10.1.46-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.46-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.46-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.46-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.46-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.43","value":"10.1.43","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.43","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.43-java11","java17Runtime":"TOMCAT|10.1.43-java17","java21Runtime":"TOMCAT|10.1.43-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.43-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.43-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.43-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.42","value":"10.1.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.42","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.42-java11","java17Runtime":"TOMCAT|10.1.42-java17","java21Runtime":"TOMCAT|10.1.42-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.42-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.42-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.42-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.41","value":"10.1.41","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.41","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java11Runtime":"TOMCAT|10.1.41-java11","java17Runtime":"TOMCAT|10.1.41-java17","java21Runtime":"TOMCAT|10.1.41-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.41-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.41-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.41-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.40","value":"10.1.40","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.40","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.40-java11","java17Runtime":"TOMCAT|10.1.40-java17","java21Runtime":"TOMCAT|10.1.40-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.40-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.40-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.40-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.39","value":"10.1.39","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.39","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.39-java11","java17Runtime":"TOMCAT|10.1.39-java17","java21Runtime":"TOMCAT|10.1.39-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.39-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.39-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.39-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.36","value":"10.1.36","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.36","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.36-java11","java17Runtime":"TOMCAT|10.1.36-java17","java21Runtime":"TOMCAT|10.1.36-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.36-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.36-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.36-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.34","value":"10.1.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.34","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.34-java11","java17Runtime":"TOMCAT|10.1.34-java17","java21Runtime":"TOMCAT|10.1.34-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.34-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.34-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.34-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.33","value":"10.1.33","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.33","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.33-java11","java17Runtime":"TOMCAT|10.1.33-java17","java21Runtime":"TOMCAT|10.1.33-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.33-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.33-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.33-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.31","value":"10.1.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.31","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.31-java11","java17Runtime":"TOMCAT|10.1.31-java17","java21Runtime":"TOMCAT|10.1.31-java21","isHidden":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.31-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.31-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.31-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.28","value":"10.1.28","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.28","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.28-java11","java17Runtime":"TOMCAT|10.1.28-java17","java21Runtime":"TOMCAT|10.1.28-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.28-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.28-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.28-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.25","value":"10.1.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.25","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.25-java11","java17Runtime":"TOMCAT|10.1.25-java17","java21Runtime":"TOMCAT|10.1.25-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.25-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.25-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.25-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.23","value":"10.1.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.23","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.23-java11","java17Runtime":"TOMCAT|10.1.23-java17","java21Runtime":"TOMCAT|10.1.23-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.23-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.23-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.16","value":"10.1.16","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.16","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.16-java11","java17Runtime":"TOMCAT|10.1.16-java17","java21Runtime":"TOMCAT|10.1.16-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.16-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.16-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.16-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.0","value":"tomcat10.0","minorVersions":[{"displayText":"Apache + Tomcat 10.0","value":"10.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|10.0-java17","java11Runtime":"TOMCAT|10.0-java11","java8Runtime":"TOMCAT|10.0-jre8","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.27","value":"10.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.27-java8","java11Runtime":"TOMCAT|10.0.27-java11","java17Runtime":"TOMCAT|10.0.27-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.27-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.27-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.27-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.23","value":"10.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.23","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.23-java8","java11Runtime":"TOMCAT|10.0.23-java11","java17Runtime":"TOMCAT|10.0.23-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.23-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.23-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.21","value":"10.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.21","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.21-java8","java11Runtime":"TOMCAT|10.0.21-java11","java17Runtime":"TOMCAT|10.0.21-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.21-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.21-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.21-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.20","value":"10.0.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.20","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.20-java8","java11Runtime":"TOMCAT|10.0.20-java11","java17Runtime":"TOMCAT|10.0.20-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.20-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.20-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.12","value":"10.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.12","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.12-java8","java11Runtime":"TOMCAT|10.0.12-java11","java17Runtime":"TOMCAT|10.0.12-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.12-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.12-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.12-java17"}]}}}]},{"displayText":"Apache + Tomcat 9.0","value":"tomcat9.0","minorVersions":[{"displayText":"Apache Tomcat + 9.0","value":"9.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|9.0-java25","java21Runtime":"TOMCAT|9.0-java21","java17Runtime":"TOMCAT|9.0-java17","java11Runtime":"TOMCAT|9.0-java11","java8Runtime":"TOMCAT|9.0-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.113","value":"9.0.113","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.113","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.113-java8","java11Runtime":"TOMCAT|9.0.113-java11","java17Runtime":"TOMCAT|9.0.113-java17","java21Runtime":"TOMCAT|9.0.113-java21","java25Runtime":"TOMCAT|9.0.113-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.113-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.113-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.113-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.113-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.113-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.109","value":"9.0.109","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.109","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.109-java8","java11Runtime":"TOMCAT|9.0.109-java11","java17Runtime":"TOMCAT|9.0.109-java17","java21Runtime":"TOMCAT|9.0.109-java21","java25Runtime":"TOMCAT|9.0.109-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.109-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.109-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.109-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.109-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.109-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.107","value":"9.0.107","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.107","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.107-java8","java11Runtime":"TOMCAT|9.0.107-java11","java17Runtime":"TOMCAT|9.0.107-java17","java21Runtime":"TOMCAT|9.0.107-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.107-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.107-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.107-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.107-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.106","value":"9.0.106","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.106","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.106-java8","java11Runtime":"TOMCAT|9.0.106-java11","java17Runtime":"TOMCAT|9.0.106-java17","java21Runtime":"TOMCAT|9.0.106-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.106-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.106-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.106-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.106-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.105","value":"9.0.105","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.105","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java8Runtime":"TOMCAT|9.0.105-java8","java11Runtime":"TOMCAT|9.0.105-java11","java17Runtime":"TOMCAT|9.0.105-java17","java21Runtime":"TOMCAT|9.0.105-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.105-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.105-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.105-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.105-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.104","value":"9.0.104","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.104","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.104-java8","java11Runtime":"TOMCAT|9.0.104-java11","java17Runtime":"TOMCAT|9.0.104-java17","java21Runtime":"TOMCAT|9.0.104-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.104-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.104-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.104-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.104-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.102","value":"9.0.102","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.102","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.102-java8","java11Runtime":"TOMCAT|9.0.102-java11","java17Runtime":"TOMCAT|9.0.102-java17","java21Runtime":"TOMCAT|9.0.102-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.102-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.102-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.102-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.102-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.100","value":"9.0.100","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.100","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.100-java8","java11Runtime":"TOMCAT|9.0.100-java11","java17Runtime":"TOMCAT|9.0.100-java17","java21Runtime":"TOMCAT|9.0.100-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.100-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.100-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.100-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.98","value":"9.0.98","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.98","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.98-java8","java11Runtime":"TOMCAT|9.0.98-java11","java17Runtime":"TOMCAT|9.0.98-java17","java21Runtime":"TOMCAT|9.0.98-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.98-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.98-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.98-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.98-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.97","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.97","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.97-java8","java11Runtime":"TOMCAT|9.0.97-java11","java17Runtime":"TOMCAT|9.0.97-java17","java21Runtime":"TOMCAT|9.0.97-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.97-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.97-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.97-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.97-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.96","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.96","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.96-java8","java11Runtime":"TOMCAT|9.0.96-java11","java17Runtime":"TOMCAT|9.0.96-java17","java21Runtime":"TOMCAT|9.0.96-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.96-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.96-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.96-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.93","value":"9.0.93","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.93","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.93-java8","java11Runtime":"TOMCAT|9.0.93-java11","java17Runtime":"TOMCAT|9.0.93-java17","java21Runtime":"TOMCAT|9.0.93-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.93-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.93-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.93-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.93-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.91","value":"9.0.91","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.91","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.91-java8","java11Runtime":"TOMCAT|9.0.91-java11","java17Runtime":"TOMCAT|9.0.91-java17","java21Runtime":"TOMCAT|9.0.91-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.91-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.91-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.91-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.91-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.90","value":"9.0.90","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.90","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.90-java8","java11Runtime":"TOMCAT|9.0.90-java11","java17Runtime":"TOMCAT|9.0.90-java17","java21Runtime":"TOMCAT|9.0.90-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.90-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.90-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.90-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.90-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.88","value":"9.0.88","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.88","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.88-java8","java11Runtime":"TOMCAT|9.0.88-java11","java17Runtime":"TOMCAT|9.0.88-java17","java21Runtime":"TOMCAT|9.0.88-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.88-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.88-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.88-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.88-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.83","value":"9.0.83","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.83","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.83-java8","java11Runtime":"TOMCAT|9.0.83-java11","java17Runtime":"TOMCAT|9.0.83-java17","java21Runtime":"TOMCAT|9.0.83-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.83-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.83-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.83-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.83-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.65","value":"9.0.65","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.65","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.65-java8","java11Runtime":"TOMCAT|9.0.65-java11","java17Runtime":"TOMCAT|9.0.65-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.65-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.65-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.65-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.63","value":"9.0.63","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.63","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.63-java8","java11Runtime":"TOMCAT|9.0.63-java11","java17Runtime":"TOMCAT|9.0.63-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.63-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.63-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.63-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.62","value":"9.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.62","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.62-java8","java11Runtime":"TOMCAT|9.0.62-java11","java17Runtime":"TOMCAT|9.0.62-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.62-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.62-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.62-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.54","value":"9.0.54","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.54","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.54-java8","java11Runtime":"TOMCAT|9.0.54-java11","java17Runtime":"TOMCAT|9.0.54-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.54-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.54-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.54-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.52","value":"9.0.52","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.52","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.52-java8","java11Runtime":"TOMCAT|9.0.52-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.52-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.52-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.46","value":"9.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.46","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.46-java8","java11Runtime":"TOMCAT|9.0.46-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.46-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.46-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.41","value":"9.0.41","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.41-java8","java11Runtime":"TOMCAT|9.0.41-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.41-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.38","value":"9.0.38","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.38","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.37","value":"9.0.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.37","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.37-java11","java8Runtime":"TOMCAT|9.0.37-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.37-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.37-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.33","value":"9.0.33","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.33-java11","java8Runtime":"TOMCAT|9.0.33-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.33-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.33-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.31","value":"9.0.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.31","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.27","value":"9.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.21","value":"9.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.21","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.20","value":"9.0.20","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.20-java11","java8Runtime":"TOMCAT|9.0.20-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.20-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.14","value":"9.0.14","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.14","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.12","value":"9.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.12","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.8","value":"9.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.8","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.0","value":"9.0.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.0","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.5","value":"tomcat8.5","minorVersions":[{"displayText":"Apache Tomcat + 8.5","value":"8.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5-java11","java8Runtime":"TOMCAT|8.5-jre8","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.100","value":"8.5.100","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.100-java8","java11Runtime":"TOMCAT|8.5.100-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.100-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.100","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.96","value":"8.5.96","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.96-java8","java11Runtime":"TOMCAT|8.5.96-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.96-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.96","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.82","value":"8.5.82","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.82-java8","java11Runtime":"TOMCAT|8.5.82-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.82-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.82-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.82","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.79","value":"8.5.79","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.79-java8","java11Runtime":"TOMCAT|8.5.79-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.79-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.79-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.79","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.78","value":"8.5.78","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.78-java8","java11Runtime":"TOMCAT|8.5.78-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.78-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.78-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.78","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.72","value":"8.5.72","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.72-java8","java11Runtime":"TOMCAT|8.5.72-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.72-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.72-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.72","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.69","value":"8.5.69","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.69-java8","java11Runtime":"TOMCAT|8.5.69-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.69-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.69-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.69","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.66","value":"8.5.66","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.66-java8","java11Runtime":"TOMCAT|8.5.66-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.66-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.66-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.66","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.61","value":"8.5.61","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.61-java8","java11Runtime":"TOMCAT|8.5.61-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.61-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.61-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.58","value":"8.5.58","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.58","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.57","value":"8.5.57","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.57","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.57-java11","java8Runtime":"TOMCAT|8.5.57-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.57-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.57-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.53","value":"8.5.53","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.53-java11","java8Runtime":"TOMCAT|8.5.53-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.53-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.53-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.51","value":"8.5.51","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.51","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.47","value":"8.5.47","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.47","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.42","value":"8.5.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.42","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.41","value":"8.5.41","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.41-java11","java8Runtime":"TOMCAT|8.5.41-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.41-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.37","value":"8.5.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.37","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.34","value":"8.5.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.34","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.31","value":"8.5.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.31","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.20","value":"8.5.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.20","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.6","value":"8.5.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.6","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.0","value":"tomcat8.0","minorVersions":[{"displayText":"Apache Tomcat + 8.0","value":"8.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.53","value":"8.0.53","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.53","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.46","value":"8.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.46","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.23","value":"8.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.23","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 7.0","value":"tomcat7.0","minorVersions":[{"displayText":"Apache Tomcat + 7.0","value":"7.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.94","value":"7.0.94","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.94","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.81","value":"7.0.81","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.81","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.62","value":"7.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.62","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.50","value":"7.0.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.50","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.3","value":"jetty9.3","minorVersions":[{"displayText":"Jetty 9.3","value":"9.3","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.25","value":"9.3.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.25","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.13","value":"9.3.13","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.13","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.1","value":"jetty9.1","minorVersions":[{"displayText":"Jetty 9.1","value":"9.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.1.0","value":"9.1.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1.0","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"WildFly + 14","value":"wildfly14","minorVersions":[{"displayText":"WildFly 14","value":"14","stackSettings":{"linuxContainerSettings":{"java8Runtime":"WILDFLY|14-jre8","isDeprecated":true,"isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14-jre8"}]}}},{"displayText":"WildFly + 14.0.1","value":"14.0.1","stackSettings":{"linuxContainerSettings":{"isDeprecated":true,"java8Runtime":"WILDFLY|14.0.1-java8","runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14.0.1-java8"}]}}}]}]}},{"id":null,"name":"staticsite","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"HTML + (Static Content)","value":"staticsite","preferredOs":"linux","majorVersions":[{"displayText":"HTML + (Static Content)","value":"1","minorVersions":[{"displayText":"HTML (Static + Content)","value":"1.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"STATICSITE|1.0","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false}}}}]}]}},{"id":null,"name":"go","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Go","value":"go","preferredOs":"linux","majorVersions":[{"displayText":"Go + 1","value":"go1","minorVersions":[{"displayText":"Go 1.19 (Experimental)","value":"go1.19","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.19","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":true},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false}}},{"displayText":"Go + 1.18 (Experimental)","value":"go1.18","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":false},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false,"isDeprecated":true}}}]}]}}],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '187558' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:00:59 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - '' + x-msedge-ref: + - 'Ref A: 3343AE19665B4897BB47DE14188C1BCC Ref B: PNQ231110907042 Ref C: 2026-04-02T11:00:59Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"location": "West US 2", "properties": {"serverFarmId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003", + "reserved": false, "isXenon": false, "hyperV": false, "siteConfig": {"netFrameworkVersion": + "v4.6", "linuxFxVersion": "PYTHON|3.11", "appSettings": [], "localMySqlEnabled": + false, "http20Enabled": true, "http20ProxyFlag": 0}, "scmSiteAlsoStopped": false, + "httpsOnly": false}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '503' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:02.21","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":false,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9351' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:22 GMT + etag: + - 1DCC28FFE9D3620,1DCC28FFEC4602B,1DCC28FFED6AFAB + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/8dd1d216-fb7a-4a1e-ae4d-8cb21ef70a40 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '800' + x-msedge-ref: + - 'Ref A: 3FB895D484964F8388B44731E70ED58E Ref B: PNQ231110908052 Ref C: 2026-04-02T11:01:00Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"format": "WebDeploy"}' + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '23' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/publishxml?api-version=2024-11-01 + response: + body: + string: + headers: + cache-control: + - no-cache + content-length: + - '1481' + content-type: + - application/xml + date: + - Thu, 02 Apr 2026 11:01:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/ad9eccfd-c5de-490e-950e-a653a15dbc57 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: 8334D05426C7435E87B3A6970FE58797 Ref B: PNQ231110909062 Ref C: 2026-04-02T11:01:23Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9162' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:23 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 9011D15DB41940C484C341819CD32FA9 Ref B: PNQ231110906036 Ref C: 2026-04-02T11:01:24Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9162' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:24 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 5DD7440053CD4C43800875E62078514B Ref B: PNQ231110906054 Ref C: 2026-04-02T11:01:24Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9162' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:25 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 4CD5DFEDD588433CA6B086F2F3F704A9 Ref B: PNQ231110907023 Ref C: 2026-04-02T11:01:25Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9162' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:26 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: C549940C68AF4FC08225D07EC0166816 Ref B: PNQ231110909036 Ref C: 2026-04-02T11:01:27Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2023-12-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9096' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:27 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 4EE4DE13F7B2449BA45C90904679E38A Ref B: PNQ231110906025 Ref C: 2026-04-02T11:01:27Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/basicPublishingCredentialsPolicies/scm?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/basicPublishingCredentialsPolicies/scm","name":"scm","type":"Microsoft.Web/sites/basicPublishingCredentialsPolicies","location":"West + US 2","properties":{"allow":false}}' + headers: + cache-control: + - no-cache + content-length: + - '338' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:28 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/fc3b4130-7e26-41ba-b6ba-8d7308f7b7a7 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 58E7EF42056240C4B8BA2CD4EA6A36D1 Ref B: PNQ231110906036 Ref C: 2026-04-02T11:01:28Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002/instances?api-version=2024-11-01 + response: + body: + string: '{"value":[],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '38' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:29 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/cfccb24f-50a7-48d5-951d-c58aa0c9a4d1 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 0D1041FF4B234441AEF10C081701EBB3 Ref B: PNQ231110907025 Ref C: 2026-04-02T11:01:29Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: !!binary | + UEsDBAoAAAAAAEaK/jYAAAAAAAAAAAAAAAAJAAQATUVUQS1JTkYv/soAAFBLAwQKAAAACABFiv42 + 4voCvl4AAABqAAAAFAAAAE1FVEEtSU5GL01BTklGRVNULk1G803My0xLLS7RDUstKs7Mz7NSMNQz + 4OVyzEMScSxITM5IVQCKASXN9Ex5uZyLUhNLUlN0nSpB6k31DOINzHSTDEwVNIJL8xR8M5OL8osr + i0tSc4sVPPOS9TR5uXi5AFBLAwQKAAAAAABOg/42AAAAAAAAAAAAAAAACAAAAFdFQi1JTkYvUEsD + BAoAAAAAAE+D/jYAAAAAAAAAAAAAAAAQAAAAV0VCLUlORi9jbGFzc2VzL1BLAwQKAAAAAABPg/42 + AAAAAAAAAAAAAAAAGgAAAFdFQi1JTkYvY2xhc3Nlcy9teXBhY2thZ2UvUEsDBAoAAAAAAE6D/jYA + AAAAAAAAAAAAAAAMAAAAV0VCLUlORi9saWIvUEsDBAoAAAAAAE6D/jYAAAAAAAAAAAAAAAAHAAAA + aW1hZ2VzL1BLAwQKAAAACABPg/422qqRKSEDAADIBQAAJQAAAFdFQi1JTkYvY2xhc3Nlcy9teXBh + Y2thZ2UvSGVsbG8uY2xhc3ONVNtSE0EQPQOBDCGKBvEOrngBFLLiXbKJIneJiEJJlVU+bJIxWd1k + 1t2JQvkkf+SLFj74AX6UZc/sKpQXNJU6nTnTPd1zujNfv33+AmASqxkcxwRHvhc2rmiY5LiawTVc + 57jBcZPjFsdtjjscUxwFDoejyFHiuMtxj2Oa4z7HDMdsGnNpzDN0O17LUyWGztGxpwypGVkTDH1l + ryVW2s2KCNfdik9Mriyrrv/UDT29TsiUangRw+Fycytwq6/curAXhe/LAkNXTS4IxfBktPzSfeNu + 2pEI3/hC2Q2lAnuRYC0mnojXbRGpwj/dokC2IlHQVabDOIhh5D9PZ+BhcgLDv0tKcpE8b0NPiZBh + wMTYnrRXQ6+lNgxNDpm5zaoIlEf+aSyksUjUmmyHVTHvaYkyRpC8Ds7iBE4y9CixqXM2/TSWsniA + 5SzKeKhboclSGitZPMKyIYRbo97kHeUpX5TW3GbgC2s6CHyv6uqkVlKytUriO3bsRgI5dhJ6xKnI + 2pZVqVelL8Pi2wbVTXTOUbqFVkWGNREWh68ME5lyVBgbHTnoeM26FYXV4rDXpNMjW8kmZc3XvRfa + u4vSab9zTmNyn8qokknystdpVCz6qoawZFsFbWXJF5ZrJU0g3lV6P3BDvUP5tadRb9zakKFfs9zd + 0/Nxfl0uJ6vvEl9b3zYRQItJo/zLbDIM7d99hv4frV569LO7v4Ul3nscLv7fVDEcjISakS0lWmp9 + KyBiIJ5I23dbdXtN0YDVzZz31EUyaQzHRsf+MoL9f6BJgUCv/BY9G8fo1dCfDjA9goSnaGWTZWS7 + Ln0C+2C2TxN2G/IiBgmzsQOGcIYsg4Wz5EXBbIhsirjt8VzHDjo7ML6DFMPKRK7rI7oncmmD3GCP + wYzBXoNZgwcMHjTYt4c5ZPCwwdye3X6DRwwOGDxKuFv5MxwlvAV6AdGHKQygQLU6VHMRIyhhAvfo + pZzGHdzHXcxgDrNYJnyMeWxgAc+xiCqW4NF/UtJOGw/xDit4j1WjxqX4xoka+tcwzhmFtnEeF6iK + PkSk3Ag6MWqU7MAYRTFcNjWOfwdQSwMECgAAAAgAToP+NqF+ZQJ4AQAALQMAAA8AAABXRUItSU5G + L3dlYi54bWylksFLwzAUxs8O/B8evXixyTYVdHQTQVBB8TBBb5KlzzWaJiEvW6d/vVnbbZ0IHiy9 + 9Pvel/d7r8kuV6WGJXpS1oyTAesngEbaXJn5OLmbPqbn52cX6SC5nBz2sgpnqXAOYsbQOClCcCPO + 38VSMFoYJm3Jo8UN8fchYnLYg/jUxaMVqW2gqipWnTDr53zY7w/4y8P9VBZYilQZCsLIbZTUiGrn + 3koRasQ/msIfPm9neB2+nrIV5W2n7QaG7DSJozZqlityWnymRpQ4uUWt7TE8W69zuHJOq4Yp43tl + myiS9MqtC6J08FQogvgKIFU6jRA5QOwOgUqFYu3ahZcI8Q8gxAUJo75qPx4xE4Q5xNJQIHiMg5Vo + 8tolsG+13MGCa1yitg79EcHNQuXIWjS+z9aqhH6pMbT8Xakz/rRRMr5n/RKRWhBNyk8n5IeYI6vT + u1hjb3h2rfdZ0jJuKN7EfzItvE6dCAG9mfCiAelqPzA6XeOd31yY+PUNUEsDBAoAAAAIAE6D/jZu + +zjO4AAAAHgBAAAJAAAAaGVsbG8uanNwfVDLagMxDLwv7D+ohkALJW7vu4HcSk+BLfSsXTu2wbaM + VyH07+sHJbeCkUEzmtFoshz8aRwmq1HVnx17fVowJK/hnJJ3G7KjCJ/LBS5o9CQ7pXDl39BK6gdW + s5GnPN+t4wpXMVyLykpZ6TyLN9EMcqsK0DsT501H1q3lgoE9b7NwodjskikU66Nx1zYnue/Xqn3/ + f8WCj8OXdTuUx1YD3TjdGOgK2Gip0AqAXAkJc4Mq8UN7T6/wTdmrccCH+vGxg+wZZIvXkx5miPoO + C2cXzbNoKk/iBQ4dlvVC/WT93r9QSwMECgAAAAgAToP+Nqj7BpemBQAAoQUAABEAAABpbWFnZXMv + dG9tY2F0LmdpZgGhBV76R0lGODlhZABHALMAAO3t7SclH+jKc2lUFaeTWXZuWK2trdLS0s60Z4uL + iqSCH05LQv/cddKkHAAAAP///yH5BAAAAAAALAAAAABkAEcAAAT/8MlJq704X7OO/uBzLEZonqi0 + OEHipSCQOE4B37h00HRQ5hZDgLcAGk0GFq92fAAKvGGgScXMCEOezQglrgDV8ASKWC23uC6PAH2J + qysBYUlL4GbLgAD6e1OHDAJ0LGApO3QFDHN2fk0ALAyKgwkABgkJBQuam5sFBQkGaj0CkmiNQDsB + kQxmg66vrgSRc6anODsLqwKtUZ4EbEsLv2yZWTSJsw5FtkBJuasMmQsFBKTQDMay1wwIBQPayVPM + Oc7b5tBzNNbn13Pi4zfl7Ocrz/PoLPChoIUhqffm5oADyC0flQOWPF0yICMPiRCPVLErEKDiAmsC + AiAguAqBQSAy/3jBCuYGA4Ah66DtCkBN4KpqHJMtI9cLlIGExlwxyjBk4zYyqzLF3DZnJownNEj0 + o4AHFqUMK3yqDDAQgZ57CIilpIUDwIoAJYOMPJbhijmpkaymvLYr6QK0UHamqBd2Q05XdSXMoApQ + 7TmrVNdGWtEHxd4TlaRx+pRXQpKkMM9hYbdA4rkhS00cahzmEI8BgiMJPesArUoo7ww7kGtrSDUB + Wz15qii7dqYasqViSXp0CGcqAA7gQXatckUpx5NLMc43EmwotUI4OxUy51V2c0ynLT2PDwzCfg5Q + jDJAgZbQ0Sxf86gdGuYUJx1kNhLyc/kG+IcIC51xIDT2Z90WXf8MHx0hXBYB3IffggMoM5F620wT + kBm/mVRgDl7RscCCHOJHg3/bscTJYlFdlhpiF8Ignit6dMigg9u0hZttXbwVEBNHpagaDQPcZUCH + CMDmDnozXFRcDedk5ECFPMl3QwJZLKAAfg0SgQCHFFXUw3HEpbVCAaRQZCM0zCFYUWEhgIdCKMFc + iZ8Cxrj55gB0VjkNNQFZxFJAsh1ziQspTGcCUiwYU0CHVR66YJCw7YFkd0ndUxRI74EgBAsDzEmD + nG9WhCWLDgxAVEUElNGce0psOQSaIXj3AR4BuAinoohyqECddbKQgGkeXRcNjC9BqcyflzAp1oAT + jKCFi28y6yz/h0N06VxkL0kryQLz9bYkBpdG+ey3z8LpAIgcKWmsdMpcgEemVXIK7rsNmMfdUIEM + wZoRvlHQUKgLwjklvAA30KCvHEFhVBN7FZKhA//a2m+pAT87MHrmfJWtEV+K8FXDzkIXscQstLfN + wBcbcQgHLHDs7Aoqf8zhwOTq8tW58RABMA0uf5toklKU7EgWLTNr3oY5g1zDWrt1wEwrtOpcQ9Hf + ytucAHb63ARq4jbtbIMEQB01guO1MA4eU8obNIdReQ1ulUSM81jDXZyNXxxqg6vAlw0eLMYhmb58 + jGKL2TuM3Gr/G63VXQ3Rd78ijeVQAYTnLC+OYcS3eAPjsSDK/yugYFJZHgFMEzm8A2ccxl5o9/BD + U6+UFFwod4U++tY1dG1vFXv9u5sPFTzGeQavJ9BK6NRErADHDd57wwFD/Csutna9ojcGwn2eFOQ5 + V8kqfIovSMP2yd7FA806CNuD1uDmBL4JBi94+wcLI3ILykkp6CycCyTwy/swvI2fwSdoXAAQp4EV + Let+EHsTDcing+a5b1snYF1SEMKPGySGCOgT2plS0L65Ue4EzIOF2G5hPpZEzjxgiSAL+kUICzZu + CcpDgbKSQjgUnsuB+JlUVzYXjCbA7hhyyxviivSpGIKwTFyqggwQdDYhAuBiqeCYmuBBH/qxhFls + ow2aoKCySk5R0YdmCEDLBuAJTSTlB0mIVYe8+MUmzPCKzipDHR7wFVzRiY1tBCMNjea7V6wvj+QI + 49lQeJNCGvImDAQkErqQIDvSiQaKjCT9XhGACAAAO1BLAwQKAAAACABOg/423TCBj18BAAB8AgAA + CgAAAGluZGV4Lmh0bWyNUk1Lw0AQvRf6H4ZcvJRGr5IGBEHxJFTwvEkm2bGbTJjdtLa/3tldinoQ + hLBZ2Pc1j6lsGF29XlUWTRf/gYLDem/G2SEUz+gcb+CdxXUFPMyzo9YE4qkqM1AZ5ZXacHeGZmjZ + sexOlkJ8jpKmUa2GpUPZFbdFspF0Jh6NA3hpdwWNZkBfBh7VZDtQn6BlRuXT3v0nm6IUO9dvljzo + FyyC5RFhVgPoWcCAzzLmmweLxw4CAzm3+CAmYGSuV54XaRE6EmwDyxlYBjPRJbO4V7UTNr+lAjm6 + 0DQk71loaknt/HrFS3A0qRFN6e1HcHjEIzqeUW48PC3U4fZ7/jJXVqY2c7E6IKs2H2NOE6LcGU4s + hw2ceYHWTICf2C46B5I+SswaPXvW6k4xnUY5+HvVWtIWOIqSBioDVrDfFTaWvP3wc1G/7F9Tf1Vp + 6u2f2KL2KEeH4Qork3K8xP3IC5N37gtQSwECFAMKAAAAAABGiv42AAAAAAAAAAAAAAAACQAEAAAA + AAAAABAA7UEAAAAATUVUQS1JTkYv/soAAFBLAQIUAwoAAAAIAEWK/jbi+gK+XgAAAGoAAAAUAAAA + AAAAAAAAAACkgSsAAABNRVRBLUlORi9NQU5JRkVTVC5NRlBLAQIUAwoAAAAAAE6D/jYAAAAAAAAA + AAAAAAAIAAAAAAAAAAAAEADtQbsAAABXRUItSU5GL1BLAQIUAwoAAAAAAE+D/jYAAAAAAAAAAAAA + AAAQAAAAAAAAAAAAEADtQeEAAABXRUItSU5GL2NsYXNzZXMvUEsBAhQDCgAAAAAAT4P+NgAAAAAA + AAAAAAAAABoAAAAAAAAAAAAQAO1BDwEAAFdFQi1JTkYvY2xhc3Nlcy9teXBhY2thZ2UvUEsBAhQD + CgAAAAAAToP+NgAAAAAAAAAAAAAAAAwAAAAAAAAAAAAQAO1BRwEAAFdFQi1JTkYvbGliL1BLAQIU + AwoAAAAAAE6D/jYAAAAAAAAAAAAAAAAHAAAAAAAAAAAAEADtQXEBAABpbWFnZXMvUEsBAhQDCgAA + AAgAT4P+NtqqkSkhAwAAyAUAACUAAAAAAAAAAAAAAKSBlgEAAFdFQi1JTkYvY2xhc3Nlcy9teXBh + Y2thZ2UvSGVsbG8uY2xhc3NQSwECFAMKAAAACABOg/42oX5lAngBAAAtAwAADwAAAAAAAAAAAAAA + pIH6BAAAV0VCLUlORi93ZWIueG1sUEsBAhQDCgAAAAgAToP+Nm77OM7gAAAAeAEAAAkAAAAAAAAA + AAAAAKSBnwYAAGhlbGxvLmpzcFBLAQIUAwoAAAAIAE6D/jao+waXpgUAAKEFAAARAAAAAAAAAAAA + AACkgaYHAABpbWFnZXMvdG9tY2F0LmdpZlBLAQIUAwoAAAAIAE6D/jbdMIGPXwEAAHwCAAAKAAAA + AAAAAAAAAACkgXsNAABpbmRleC5odG1sUEsFBgAAAAAMAAwA5gIAAAIPAAAAAA== + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '4606' + Content-Type: + - application/octet-stream + User-Agent: + - AZURECLI/2.85.0 + x-ms-artifact-checksum: + - 89b33caa5bf4cfd235f060c396cb1a5acb2734a1366db325676f48c5f5ed92e5 + method: POST + uri: https://webapp-enriched-test000002.scm.azurewebsites.net/api/publish?type=war + response: + body: + string: Artifact type = 'War' cannot be deployed to stack = 'PYTHON'. Site should + be configured to run with stack = TOMCAT or JBOSSEAP or JAVA + headers: + content-length: + - '134' + content-type: + - text/plain; charset=utf-8 + date: + - Thu, 02 Apr 2026 11:01:58 GMT + server: + - Kestrel + set-cookie: + - ARRAffinity=ec75ffac14f5a3cf139396184c4a565cf164999cdee10579f254283ef7d9d529;Path=/;HttpOnly;Secure;Domain=webapp-enriched-testwqgpn2sljdr253ahmigk.scm.azurewebsites.net + - ARRAffinitySameSite=ec75ffac14f5a3cf139396184c4a565cf164999cdee10579f254283ef7d9d529;Path=/;HttpOnly;SameSite=None;Secure;Domain=webapp-enriched-testwqgpn2sljdr253ahmigk.scm.azurewebsites.net + transfer-encoding: + - chunked + vary: + - Accept-Encoding + status: + code: 400 + message: Bad Request +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp deploy + Connection: + - keep-alive + ParameterSetName: + - -g -n --src-path --type + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/sites/webapp-enriched-test000002","name":"webapp-enriched-test000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-enriched-test000002","state":"Running","hostNames":["webapp-enriched-test000002.azurewebsites.net"],"webSpace":"cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-125.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_enriched_errors000001-WestUS2webspace-Linux/sites/webapp-enriched-test000002","repositorySiteName":"webapp-enriched-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-enriched-test000002.azurewebsites.net","webapp-enriched-test000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-enriched-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-enriched-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_enriched_errors000001/providers/Microsoft.Web/serverfarms/webapp-enriched-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:01:22.3233333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-enriched-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.115.232.17","possibleInboundIpAddresses":"20.115.232.17","inboundIpv6Address":"2603:1030:c06:6::1e","possibleInboundIpv6Addresses":"2603:1030:c06:6::1e","ftpUsername":"webapp-enriched-test000002\\$webapp-enriched-test000002","ftpsHostName":"ftps://waws-prod-mwh-125.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,20.115.232.17","possibleOutboundIpAddresses":"172.179.62.138,172.179.62.143,172.179.62.146,172.179.61.115,172.179.62.149,172.179.62.178,172.179.61.161,172.179.62.15,172.179.62.34,172.179.62.35,172.179.62.36,172.179.62.37,172.179.62.56,172.179.62.57,172.179.62.72,172.179.62.73,172.179.62.78,172.179.62.79,172.179.62.84,172.179.62.85,172.179.62.90,172.179.62.110,172.179.62.118,172.179.62.119,172.179.62.186,172.179.62.187,172.179.62.200,172.179.62.201,172.179.62.210,172.179.62.211,20.115.232.17","outboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","possibleOutboundIpv6Addresses":"2603:1030:c04:3::5bc,2603:1030:c04:3::5bd,2603:1030:c04:3::5be,2603:1030:c04:3::5bf,2603:1030:c04:3::5c0,2603:1030:c04:3::5c1,2603:1030:c04:3::5b5,2603:1030:c04:3::332,2603:1030:c04:3::333,2603:1030:c04:3::510,2603:1030:c04:3::57a,2603:1030:c04:3::57b,2603:1030:c04:3::57c,2603:1030:c04:3::57d,2603:1030:c04:3::5a6,2603:1030:c04:3::5a7,2603:1030:c04:3::5aa,2603:1030:c04:3::5ab,2603:1030:c04:3::5b6,2603:1030:c04:3::5b7,2603:1030:c04:3::5b8,2603:1030:c04:3::5b9,2603:1030:c04:3::5ba,2603:1030:c04:3::5bb,2603:1030:c04:3::5c2,2603:1030:c04:3::5c3,2603:1030:c04:3::49c,2603:1030:c04:3::5c4,2603:1030:c04:3::5c5,2603:1030:c04:3::5c6,2603:1030:c06:6::1e,2603:10e1:100:2::1473:e811,2603:1030:c06:7::4a,2603:10e1:100:2::142a:807c","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-125","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_enriched_errors000001","defaultHostName":"webapp-enriched-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '9162' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:01:59 GMT + etag: + - 1DCC2900A9A4335 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 75B956C9CCDB4934B09291D82EBACCE5 Ref B: PNQ231110909054 Ref C: 2026-04-02T11:01:59Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +version: 1 diff --git a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_up_enriched_errors_flag_accepted.yaml b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_up_enriched_errors_flag_accepted.yaml new file mode 100644 index 00000000000..4ccf5d21dfb --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/recordings/test_webapp_up_enriched_errors_flag_accepted.yaml @@ -0,0 +1,3141 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_webapp_up_enriched000001?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001","name":"cli_test_webapp_up_enriched000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","test":"test_webapp_up_enriched_errors_flag_accepted","date":"2026-04-02T11:02:12Z","module":"appservice"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '421' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 02 Apr 2026 11:02:22 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: DE2492CE101D48C19EAE131C26CC2687 Ref B: PNQ231110909052 Ref C: 2026-04-02T11:02:22Z' + status: + code: 200 + message: OK +- request: + body: '{"location": "westus2", "properties": {"perSiteScaling": false, "reserved": + true}, "sku": {"capacity": 1, "name": "B1", "tier": "BASIC"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - appservice plan create + Connection: + - keep-alive + Content-Length: + - '137' + Content-Type: + - application/json + ParameterSetName: + - -g -n --sku --is-linux + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003?api-version=2025-03-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","name":"webapp-up-enr-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"westus2","properties":{"serverFarmId":62830,"name":"webapp-up-enr-plan000003","sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1},"workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":"2026-05-02T11:02:24.0866667","tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_up_enriched000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-029_62830","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":null,"vnetConnectionsMax":null,"createdTime":"2026-04-02T11:02:26.05","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1877' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:02:27 GMT + etag: + - 1DCC29030EEAE60 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/53f0e0c7-f9e2-4f87-a319-b41ee4593bbe + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: CE38FF747FA642ED8DEDBBFA170A2F60 Ref B: PNQ231110907042 Ref C: 2026-04-02T11:02:23Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","name":"webapp-up-enr-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":62830,"name":"webapp-up-enr-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":3,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":"2026-05-02T11:02:24.0866667","tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_up_enriched000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-029_62830","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T11:02:26.05","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1800' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:02:29 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 0E0C5B252EE0480696828646BE719D1D Ref B: PNQ231110906034 Ref C: 2026-04-02T11:02:29Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"name": "webapp-up-enr000002", "type": "Site"}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '47' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2024-11-01 + response: + body: + string: '{"nameAvailable":true,"reason":"","message":""}' + headers: + cache-control: + - no-cache + content-length: + - '47' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:02:30 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/centralindia/9883bac8-a9a7-4cd3-bc64-29f8366817b6 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: EA028F3AC2EE4FEC95AC13B2576DEC6E Ref B: PNQ231110908060 Ref C: 2026-04-02T11:02:30Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":null,"name":"dotnet","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":".NET","value":"dotnet","preferredOs":"windows","majorVersions":[{"displayText":".NET + 10 (LTS)","value":"dotnet10","minorVersions":[{"displayText":".NET 10 (LTS)","value":"10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-12-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-12-01T00:00:00Z"}}}]},{"displayText":".NET + 9 (STS)","value":"dotnet9","minorVersions":[{"displayText":".NET 9 (STS)","value":"9","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 8 (LTS)","value":"dotnet8","minorVersions":[{"displayText":".NET 8 (LTS)","value":"8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 7 (STS)","value":"dotnet7","minorVersions":[{"displayText":".NET 7 (STS)","value":"7","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-05-14T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-05-14T00:00:00Z"}}}]},{"displayText":".NET + 6","value":"dotnet6","minorVersions":[{"displayText":".NET 6 (LTS)","value":"6","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-11-12T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-11-12T00:00:00Z"}}}]},{"displayText":".NET + 5","value":"dotnet5","minorVersions":[{"displayText":".NET 5","value":"5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-05-08T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-05-08T00:00:00Z"}}}]},{"displayText":".NET + Core 3","value":"dotnetcore3","minorVersions":[{"displayText":".NET Core 3.1 + (LTS)","value":"3.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"}}},{"displayText":".NET + Core 3.0","value":"3.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2020-03-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2020-03-03T00:00:00Z"}}}]},{"displayText":".NET + Core 2","value":"dotnetcore2","minorVersions":[{"displayText":".NET Core 2.2","value":"2.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-23T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-23T00:00:00Z"}}},{"displayText":".NET + Core 2.1 (LTS)","value":"2.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-07-21T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-07-21T00:00:00Z"}}},{"displayText":".NET + Core 2.0","value":"2.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-10-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-10-01T00:00:00Z"}}}]},{"displayText":".NET + Core 1","value":"dotnetcore1","minorVersions":[{"displayText":".NET Core 1.1","value":"1.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}},{"displayText":".NET + Core 1.0","value":"1.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}}]},{"displayText":"ASP.NET + V4","value":"aspdotnetv4","minorVersions":[{"displayText":"ASP.NET V4.8","value":"v4.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v4.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"ASP.NET + V3","value":"aspdotnetv3","minorVersions":[{"displayText":"ASP.NET V3.5","value":"v3.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v2.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"node","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Node","value":"node","preferredOs":"linux","majorVersions":[{"displayText":"Node + LTS","value":"lts","minorVersions":[{"displayText":"Node LTS","value":"lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"}}}}]},{"displayText":"Node + 24","value":"24","minorVersions":[{"displayText":"Node 24 LTS","value":"24-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|24-lts","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~24","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-04-30T00:00:00Z"}}}]},{"displayText":"Node + 22","value":"22","minorVersions":[{"displayText":"Node 22 LTS","value":"22-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|22-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~22","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-04-30T00:00:00Z"}}}]},{"displayText":"Node + 20","value":"20","minorVersions":[{"displayText":"Node 20 LTS","value":"20-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|20-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~20","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-04-30T00:00:00Z"}}}]},{"displayText":"Node + 18","value":"18","minorVersions":[{"displayText":"Node 18 LTS","value":"18-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|18-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2025-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2025-04-30T00:00:00Z"}}}]},{"displayText":"Node + 16","value":"16","minorVersions":[{"displayText":"Node 16 LTS","value":"16-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|16-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-09-11T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-09-11T00:00:00Z"}}}]},{"displayText":"Node + 14","value":"14","minorVersions":[{"displayText":"Node 14 LTS","value":"14-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|14-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-04-30T00:00:00Z"}}}]},{"displayText":"Node + 12","value":"12","minorVersions":[{"displayText":"Node 12 LTS","value":"12-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"12.13.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}},{"displayText":"Node + 12.9","value":"12.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12.9","isDeprecated":true,"remoteDebuggingSupported":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}}]},{"displayText":"Node + 10","value":"10","minorVersions":[{"displayText":"Node 10 LTS","value":"10-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.16","value":"10.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.15","value":"10.15","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"10.15.2","isDeprecated":true,"isPreview":true,"isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.14","value":"10.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.14.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.12","value":"10.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.10","value":"10.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.0.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.6","value":"10.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.1","value":"10.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}}]},{"displayText":"Node + 9","value":"9","minorVersions":[{"displayText":"Node 9.4","value":"9.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|9.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-30T00:00:00Z"}}}]},{"displayText":"Node + 8","value":"8","minorVersions":[{"displayText":"Node 8 LTS","value":"8-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.12","value":"8.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.11","value":"8.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.10","value":"8.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.9","value":"8.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.8","value":"8.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.5","value":"8.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.4","value":"8.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.1.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}}]},{"displayText":"Node + 7","value":"7","minorVersions":[{"displayText":"Node 7.10","value":"7.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2017-06-30T00:00:00Z"}}}]},{"displayText":"Node + 6","value":"6","minorVersions":[{"displayText":"Node 6 LTS","value":"6-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.12","value":"6.12","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.11","value":"6.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.10","value":"6.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.9","value":"6.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"6.9.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.6","value":"6.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.5","value":"6.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.2","value":"6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}}]},{"displayText":"Node + 4","value":"4","minorVersions":[{"displayText":"Node 4.8","value":"4.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.5","value":"4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.4","value":"4.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}}]}]}},{"id":null,"name":"python","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Python","value":"python","preferredOs":"linux","majorVersions":[{"displayText":"Python + 3","value":"3","minorVersions":[{"displayText":"Python 3.14","value":"3.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.14","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.14"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2030-10-31T00:00:00Z"}}},{"displayText":"Python + 3.13","value":"3.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.13"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-10-31T00:00:00Z"}}},{"displayText":"Python + 3.12","value":"3.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.12"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-10-31T00:00:00Z"}}},{"displayText":"Python + 3.11","value":"3.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.11"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.10","value":"3.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.10","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.10"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-10-31T00:00:00Z","isHidden":false,"isEarlyAccess":false}}},{"displayText":"Python + 3.9","value":"3.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.9"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.8","value":"3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.8"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2024-10-07T00:00:00Z"}}},{"displayText":"Python + 3.7","value":"3.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.7","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.7"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-06-27T00:00:00Z"}}},{"displayText":"Python + 3.6","value":"3.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"},"endOfLifeDate":"2021-12-23T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"3.4.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"}}}}]},{"displayText":"Python + 2","value":"2","minorVersions":[{"displayText":"Python 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"php","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"PHP","value":"php","preferredOs":"linux","majorVersions":[{"displayText":"PHP + 8","value":"8","minorVersions":[{"displayText":"PHP 8.5","value":"8.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.5"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.4","value":"8.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.4"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.3","value":"8.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.3"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.2"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.1","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.1"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.0","isDeprecated":true,"isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.0"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-11-26T00:00:00Z"}}}]},{"displayText":"PHP + 7","value":"7","minorVersions":[{"displayText":"PHP 7.4","value":"7.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.3","value":"7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"}}},{"displayText":"PHP + 7.2","value":"7.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-11-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true},"endOfLifeDate":"2020-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.1","value":"7.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}},{"displayText":"7.0","value":"7.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]},{"displayText":"PHP + 5","value":"5","minorVersions":[{"displayText":"PHP 5.6","value":"5.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"ruby","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Ruby","value":"ruby","preferredOs":"linux","majorVersions":[{"displayText":"Ruby + 2","value":"2","minorVersions":[{"displayText":"Ruby 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.7.3","value":"2.7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"isHidden":true,"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6","value":"2.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6.2","value":"2.6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5","value":"2.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5.5","value":"2.5.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.4","value":"2.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.4.5","value":"2.4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.3","value":"2.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.8","value":"2.3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.3","value":"2.3.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.3","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}}]}]}},{"id":null,"name":"java","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java","value":"java","preferredOs":"linux","majorVersions":[{"displayText":"Java + 25","value":"25","minorVersions":[{"displayText":"Java 25","value":"25.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.1","value":"25.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.0","value":"25.0.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}}]},{"displayText":"Java + 21","value":"21","minorVersions":[{"displayText":"Java 21","value":"21.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.9","value":"21.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.6","value":"21.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.5","value":"21.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.4","value":"21.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.3","value":"21.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.1","value":"21.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}}]},{"displayText":"Java + 17","value":"17","minorVersions":[{"displayText":"Java 17","value":"17.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.17","value":"17.0.17","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.17","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.14","value":"17.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.13","value":"17.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.12","value":"17.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.11","value":"17.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.9","value":"17.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.4","value":"17.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.3","value":"17.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.2","value":"17.0.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.1","value":"17.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 11","value":"11","minorVersions":[{"displayText":"Java 11","value":"11.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.29","value":"11.0.29","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.29","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.26","value":"11.0.26","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.26","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.25","value":"11.0.25","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.25","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.24","value":"11.0.24","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.24","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.23","value":"11.0.23","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.23","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.21","value":"11.0.21","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.21","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.16","value":"11.0.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.16","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.15","value":"11.0.15","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.15","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.14","value":"11.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.13","value":"11.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.12","value":"11.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.11","value":"11.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.9","value":"11.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.8","value":"11.0.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.8","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.7","value":"11.0.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.7","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.6","value":"11.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.5","value":"11.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.5_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.3","value":"11.0.3","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.3_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.2","value":"11.0.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.2_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 8","value":"8","minorVersions":[{"displayText":"Java 8","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_472","value":"8.0.472","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_472","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_442","value":"8.0.442","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_442","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_432","value":"8.0.432","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_432","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_422","value":"8.0.422","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_422","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_412","value":"8.0.412","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_412","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_392","value":"8.0.392","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_392","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_345","value":"8.0.345","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_345","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_332","value":"8.0.332","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_332","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_322","value":"8.0.322","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_322","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_312","value":"8.0.312","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_312","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_302","value":"8.0.302","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_302","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_292","value":"8.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_292","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_282","value":"8.0.282","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_282","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_275","value":"8.0.275","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_265","value":"8.0.265","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_265","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_252","value":"8.0.252","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_252","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_242","value":"8.0.242","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_242","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_232","value":"8.0.232","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_232_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_212","value":"8.0.212","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_212_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202","value":"8.0.202","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202 (Oracle)","value":"8.0.202 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_181","value":"8.0.181","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_181 (Oracle)","value":"8.0.181 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_172","value":"8.0.172","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_172 (Oracle)","value":"8.0.172 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_144","value":"8.0.144","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_144","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_111 (Oracle)","value":"8.0.111 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_111","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_102","value":"8.0.102","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_102","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_92","value":"8.0.92","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_92","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_73 (Oracle)","value":"8.0.73 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_73","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_60 (Oracle)","value":"8.0.60 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_60","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_25 (Oracle)","value":"8.0.25 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_25","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"Java + 7","value":"7","minorVersions":[{"displayText":"Java 7","value":"7.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7","isAutoUpdate":true,"isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_292","value":"7.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_292","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_272","value":"7.0.272","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_272","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_262","value":"7.0.262","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_262","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_242","value":"7.0.242","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_242_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_222","value":"7.0.222","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_222_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_191","value":"7.0.191","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_191_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_80 (Oracle)","value":"7.0.80 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_80","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_71 (Oracle)","value":"7.0.71 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_71","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_51 (Oracle)","value":"7.0.51 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_51","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"javacontainers","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java + Containers","value":"javacontainers","majorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"javase","minorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"SE","stackSettings":{"windowsContainerSettings":{"javaContainer":"JAVA","javaContainerVersion":"SE","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"JAVA|25-java25","java21Runtime":"JAVA|21-java21","java17Runtime":"JAVA|17-java17","java11Runtime":"JAVA|11-java11","java8Runtime":"JAVA|8-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8-jre8"},{"runtimeVersion":"11","runtime":"JAVA|11-java11"},{"runtimeVersion":"17","runtime":"JAVA|17-java17"},{"runtimeVersion":"21","runtime":"JAVA|21-java21"},{"runtimeVersion":"25","runtime":"JAVA|25-java25"}]}}},{"displayText":"Java + SE 25.0.1","value":"25.0.1","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.1","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.1"}]}}},{"displayText":"Java + SE 25.0.0","value":"25.0.0","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.0","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.0"}]}}},{"displayText":"Java + SE 21.0.9","value":"21.0.9","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.9","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.9"}]}}},{"displayText":"Java + SE 21.0.8","value":"21.0.8","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.8","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.8"}]}}},{"displayText":"Java + SE 21.0.7","value":"21.0.7","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.7","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.7"}]}}},{"displayText":"Java + SE 21.0.6","value":"21.0.6","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.6","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.6"}]}}},{"displayText":"Java + SE 21.0.5","value":"21.0.5","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.5","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.5"}]}}},{"displayText":"Java + SE 21.0.4","value":"21.0.4","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.4","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.4"}]}}},{"displayText":"Java + SE 21.0.3","value":"21.0.3","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.3","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.3"}]}}},{"displayText":"Java + SE 21.0.1","value":"21.0.1","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.1","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.1"}]}}},{"displayText":"Java + SE 17.0.17","value":"17.0.17","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.17","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.17"}]}}},{"displayText":"Java + SE 17.0.16","value":"17.0.16","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.16","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.16"}]}}},{"displayText":"Java + SE 17.0.15","value":"17.0.15","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.15","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.15"}]}}},{"displayText":"Java + SE 17.0.14","value":"17.0.14","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.14","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.14"}]}}},{"displayText":"Java + SE 17.0.13","value":"17.0.13","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.13","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.13"}]}}},{"displayText":"Java + SE 17.0.12","value":"17.0.12","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.12","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.12"}]}}},{"displayText":"Java + SE 17.0.11","value":"17.0.11","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.11","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.11"}]}}},{"displayText":"Java + SE 17.0.9","value":"17.0.9","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.9","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.9"}]}}},{"displayText":"Java + SE 17.0.4","value":"17.0.4","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.4","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.4"}]}}},{"displayText":"Java + SE 17.0.3","value":"17.0.3","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.3","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.3"}]}}},{"displayText":"Java + SE 17.0.2","value":"17.0.2","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.2","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.2"}]}}},{"displayText":"Java + SE 17.0.1","value":"17.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.1","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.1"}]}}},{"displayText":"Java + SE 11.0.29","value":"11.0.29","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.29","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.29"}]}}},{"displayText":"Java + SE 11.0.28","value":"11.0.28","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.28","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.28"}]}}},{"displayText":"Java + SE 11.0.27","value":"11.0.27","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.27","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.27"}]}}},{"displayText":"Java + SE 11.0.26","value":"11.0.26","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.26","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.26"}]}}},{"displayText":"Java + SE 11.0.25","value":"11.0.25","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.25","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.25"}]}}},{"displayText":"Java + SE 11.0.24","value":"11.0.24","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.24","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.24"}]}}},{"displayText":"Java + SE 11.0.23","value":"11.0.23","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.23","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.23"}]}}},{"displayText":"Java + SE 11.0.21","value":"11.0.21","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.21","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.21"}]}}},{"displayText":"Java + SE 11.0.16","value":"11.0.16","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.16","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.16"}]}}},{"displayText":"Java + SE 11.0.15","value":"11.0.15","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.15","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.15"}]}}},{"displayText":"Java + SE 11.0.14","value":"11.0.14","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.14","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.14"}]}}},{"displayText":"Java + SE 11.0.13","value":"11.0.13","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.13","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.13"}]}}},{"displayText":"Java + SE 11.0.12","value":"11.0.12","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.12","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.12"}]}}},{"displayText":"Java + SE 11.0.11","value":"11.0.11","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.11","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.11"}]}}},{"displayText":"Java + SE 11.0.9","value":"11.0.9","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.9","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.9"}]}}},{"displayText":"Java + SE 11.0.7","value":"11.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.7","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.7"}]}}},{"displayText":"Java + SE 11.0.6","value":"11.0.6","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.6","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.6"}]}}},{"displayText":"Java + SE 11.0.5","value":"11.0.5","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.5","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.5"}]}}},{"displayText":"Java + SE 8u472","value":"1.8.472","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.472","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.472"}]}}},{"displayText":"Java + SE 8u462","value":"1.8.462","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.462","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.462"}]}}},{"displayText":"Java + SE 8u452","value":"1.8.452","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u452","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u452"}]}}},{"displayText":"Java + SE 8u442","value":"1.8.442","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u442","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u442"}]}}},{"displayText":"Java + SE 8u432","value":"1.8.432","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u432","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u432"}]}}},{"displayText":"Java + SE 8u422","value":"1.8.422","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u422","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u422"}]}}},{"displayText":"Java + SE 8u412","value":"1.8.412","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u412","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u412"}]}}},{"displayText":"Java + SE 8u392","value":"1.8.392","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u392","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u392"}]}}},{"displayText":"Java + SE 8u345","value":"1.8.345","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u345","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u345"}]}}},{"displayText":"Java + SE 8u332","value":"1.8.332","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u332","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u332"}]}}},{"displayText":"Java + SE 8u322","value":"1.8.322","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u322","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u322"}]}}},{"displayText":"Java + SE 8u312","value":"1.8.312","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u312","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u312"}]}}},{"displayText":"Java + SE 8u302","value":"1.8.302","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u302","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u302"}]}}},{"displayText":"Java + SE 8u292","value":"1.8.292","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u292","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u292"}]}}},{"displayText":"Java + SE 8u275","value":"1.8.275","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u275","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u275"}]}}},{"displayText":"Java + SE 8u252","value":"1.8.252","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u252","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u252"}]}}},{"displayText":"Java + SE 8u242","value":"1.8.242","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u242","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u242"}]}}},{"displayText":"Java + SE 8u232","value":"1.8.232","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u232","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u232"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1","value":"jbosseap8.1","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1 BYO License","value":"jbosseap8.1_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 0.1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0","value":"jbosseap8.0","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11","java17Runtime":"JBOSSEAP|8-java17","java21Runtime":"JBOSSEAP|8-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java11Runtime":"JBOSSEAP|8.0.9.1-java11","java17Runtime":"JBOSSEAP|8.0.9.1-java17","java21Runtime":"JBOSSEAP|8.0.9.1-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 8","value":"8.0.8","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.8-java11","java17Runtime":"JBOSSEAP|8.0.8-java17","java21Runtime":"JBOSSEAP|8.0.8-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11","java17Runtime":"JBOSSEAP|8.0.7-java17","java21Runtime":"JBOSSEAP|8.0.7-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11","java17Runtime":"JBOSSEAP|8.0.5.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11","java17Runtime":"JBOSSEAP|8.0.4.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 3","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11","java17Runtime":"JBOSSEAP|8.0.3-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1","value":"8.0.2.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2.1-java11","java17Runtime":"JBOSSEAP|8.0.2.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 1","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11","java17Runtime":"JBOSSEAP|8.0.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"jbosseap8.0_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11_byol","java17Runtime":"JBOSSEAP|8-java17_byol","java21Runtime":"JBOSSEAP|8-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.9.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.9.1-java17_byol","java21Runtime":"JBOSSEAP|8.0.9.1-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11_byol","java17Runtime":"JBOSSEAP|8.0.7-java17_byol","java21Runtime":"JBOSSEAP|8.0.7-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.5.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1 BYO License","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.4.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 3 BYO License","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11_byol","java17Runtime":"JBOSSEAP|8.0.3-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1 BYO License","value":"8.0.2","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2-java11_byol","java17Runtime":"JBOSSEAP|8.0.2-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 1 BYO License","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7","value":"jbosseap","minorVersions":[{"displayText":"Red Hat + JBoss EAP 7","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8","java11Runtime":"JBOSSEAP|7-java11","java17Runtime":"JBOSSEAP|7-java17","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java8Runtime":"JBOSSEAP|7.4.23-java8","java11Runtime":"JBOSSEAP|7.4.23-java11","java17Runtime":"JBOSSEAP|7.4.23-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8","java11Runtime":"JBOSSEAP|7.4.22-java11","java17Runtime":"JBOSSEAP|7.4.22-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8","java11Runtime":"JBOSSEAP|7.4.21-java11","java17Runtime":"JBOSSEAP|7.4.21-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8","java11Runtime":"JBOSSEAP|7.4.20-java11","java17Runtime":"JBOSSEAP|7.4.20-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8","java11Runtime":"JBOSSEAP|7.4.18-java11","java17Runtime":"JBOSSEAP|7.4.18-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.17","value":"7.4.17","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.17-java8","java11Runtime":"JBOSSEAP|7.4.17-java11","java17Runtime":"JBOSSEAP|7.4.17-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.17-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.17-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.17-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8","java11Runtime":"JBOSSEAP|7.4.16-java11","java17Runtime":"JBOSSEAP|7.4.16-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8","java11Runtime":"JBOSSEAP|7.4.13-java11","java17Runtime":"JBOSSEAP|7.4.13-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8","java11Runtime":"JBOSSEAP|7.4.7-java11","java17Runtime":"JBOSSEAP|7.4.7-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8","java11Runtime":"JBOSSEAP|7.4.5-java11","java17Runtime":"JBOSSEAP|7.4.5-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8","java11Runtime":"JBOSSEAP|7.4.2-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8","java11Runtime":"JBOSSEAP|7.4.1-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8","java11Runtime":"JBOSSEAP|7.4.0-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8","java11Runtime":"JBOSSEAP|7.3.10-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8","java11Runtime":"JBOSSEAP|7.3.9-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3","value":"7.3","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3-java8","java11Runtime":"JBOSSEAP|7.3-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4","value":"7.4","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4-java8","java11Runtime":"JBOSSEAP|7.4-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4-java11"}]}}},{"displayText":"JBoss + EAP 7.2","value":"7.2.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.2-java8","isDeprecated":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.2-java8"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"jbosseap7_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8_byol","java11Runtime":"JBOSSEAP|7-java11_byol","java17Runtime":"JBOSSEAP|7-java17_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.23-java8_byol","java11Runtime":"JBOSSEAP|7.4.23-java11_byol","java17Runtime":"JBOSSEAP|7.4.23-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8_byol","java11Runtime":"JBOSSEAP|7.4.22-java11_byol","java17Runtime":"JBOSSEAP|7.4.22-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21 BYO License","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8_byol","java11Runtime":"JBOSSEAP|7.4.21-java11_byol","java17Runtime":"JBOSSEAP|7.4.21-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20 BYO License","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8_byol","java11Runtime":"JBOSSEAP|7.4.20-java11_byol","java17Runtime":"JBOSSEAP|7.4.20-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18 BYO License","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8_byol","java11Runtime":"JBOSSEAP|7.4.18-java11_byol","java17Runtime":"JBOSSEAP|7.4.18-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16 BYO License","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8_byol","java11Runtime":"JBOSSEAP|7.4.16-java11_byol","java17Runtime":"JBOSSEAP|7.4.16-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13 BYO License","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8_byol","java11Runtime":"JBOSSEAP|7.4.13-java11_byol","java17Runtime":"JBOSSEAP|7.4.13-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7 BYO License","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8_byol","java11Runtime":"JBOSSEAP|7.4.7-java11_byol","java17Runtime":"JBOSSEAP|7.4.7-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5 BYO License","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8_byol","java11Runtime":"JBOSSEAP|7.4.5-java11_byol","java17Runtime":"JBOSSEAP|7.4.5-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2 BYO License","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8_byol","java11Runtime":"JBOSSEAP|7.4.2-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1 BYO License","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8_byol","java11Runtime":"JBOSSEAP|7.4.1-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0 BYO License","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8_byol","java11Runtime":"JBOSSEAP|7.4.0-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10 BYO License","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8_byol","java11Runtime":"JBOSSEAP|7.3.10-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9 BYO License","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8_byol","java11Runtime":"JBOSSEAP|7.3.9-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11_byol"}]}}}]},{"displayText":"Apache + Tomcat 11.0","value":"tomcat11.0","minorVersions":[{"displayText":"Apache + Tomcat 11.0","value":"11.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|11.0-java25","java21Runtime":"TOMCAT|11.0-java21","java17Runtime":"TOMCAT|11.0-java17","java11Runtime":"TOMCAT|11.0-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.15","value":"11.0.15","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.15","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|11.0-java11","java17Runtime":"TOMCAT|11.0.15-java17","java21Runtime":"TOMCAT|11.0.15-java21","java25Runtime":"TOMCAT|11.0.15-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0.15-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.15-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.15-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.11","value":"11.0.11","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.11","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.11-java17","java21Runtime":"TOMCAT|11.0.11-java21","java25Runtime":"TOMCAT|11.0.11-java25","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.11-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.11-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.11-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.9","value":"11.0.9","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.9","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.9-java17","java21Runtime":"TOMCAT|11.0.9-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.9-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.9-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.8","value":"11.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.8","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.8-java17","java21Runtime":"TOMCAT|11.0.8-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.8-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.8-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.7","value":"11.0.7","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.7","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java17Runtime":"TOMCAT|11.0.7-java17","java21Runtime":"TOMCAT|11.0.7-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.7-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.7-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.6","value":"11.0.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.6","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.6-java17","java21Runtime":"TOMCAT|11.0.6-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.6-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.6-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.5","value":"11.0.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.5","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.5-java17","java21Runtime":"TOMCAT|11.0.5-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.5-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.5-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.4","value":"11.0.4","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.4","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.4-java17","java21Runtime":"TOMCAT|11.0.4-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.4-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.4-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.2","value":"11.0.2","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.2","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.2-java17","java21Runtime":"TOMCAT|11.0.2-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.2-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.2-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.1","value":"11.0.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.1","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.1-java17","java21Runtime":"TOMCAT|11.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.1-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.1","value":"tomcat10.1","minorVersions":[{"displayText":"Apache + Tomcat 10.1","value":"10.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|10.1-java25","java21Runtime":"TOMCAT|10.1-java21","java17Runtime":"TOMCAT|10.1-java17","java11Runtime":"TOMCAT|10.1-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.50","value":"10.1.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.50","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.50-java11","java17Runtime":"TOMCAT|10.1.50-java17","java21Runtime":"TOMCAT|10.1.50-java21","java25Runtime":"TOMCAT|10.1.50-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.50-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.50-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.50-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.50-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.46","value":"10.1.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.46","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.46-java11","java17Runtime":"TOMCAT|10.1.46-java17","java21Runtime":"TOMCAT|10.1.46-java21","java25Runtime":"TOMCAT|10.1.46-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.46-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.46-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.46-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.46-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.43","value":"10.1.43","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.43","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.43-java11","java17Runtime":"TOMCAT|10.1.43-java17","java21Runtime":"TOMCAT|10.1.43-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.43-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.43-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.43-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.42","value":"10.1.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.42","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.42-java11","java17Runtime":"TOMCAT|10.1.42-java17","java21Runtime":"TOMCAT|10.1.42-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.42-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.42-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.42-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.41","value":"10.1.41","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.41","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java11Runtime":"TOMCAT|10.1.41-java11","java17Runtime":"TOMCAT|10.1.41-java17","java21Runtime":"TOMCAT|10.1.41-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.41-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.41-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.41-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.40","value":"10.1.40","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.40","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.40-java11","java17Runtime":"TOMCAT|10.1.40-java17","java21Runtime":"TOMCAT|10.1.40-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.40-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.40-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.40-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.39","value":"10.1.39","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.39","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.39-java11","java17Runtime":"TOMCAT|10.1.39-java17","java21Runtime":"TOMCAT|10.1.39-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.39-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.39-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.39-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.36","value":"10.1.36","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.36","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.36-java11","java17Runtime":"TOMCAT|10.1.36-java17","java21Runtime":"TOMCAT|10.1.36-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.36-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.36-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.36-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.34","value":"10.1.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.34","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.34-java11","java17Runtime":"TOMCAT|10.1.34-java17","java21Runtime":"TOMCAT|10.1.34-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.34-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.34-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.34-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.33","value":"10.1.33","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.33","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.33-java11","java17Runtime":"TOMCAT|10.1.33-java17","java21Runtime":"TOMCAT|10.1.33-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.33-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.33-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.33-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.31","value":"10.1.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.31","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.31-java11","java17Runtime":"TOMCAT|10.1.31-java17","java21Runtime":"TOMCAT|10.1.31-java21","isHidden":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.31-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.31-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.31-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.28","value":"10.1.28","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.28","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.28-java11","java17Runtime":"TOMCAT|10.1.28-java17","java21Runtime":"TOMCAT|10.1.28-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.28-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.28-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.28-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.25","value":"10.1.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.25","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.25-java11","java17Runtime":"TOMCAT|10.1.25-java17","java21Runtime":"TOMCAT|10.1.25-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.25-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.25-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.25-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.23","value":"10.1.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.23","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.23-java11","java17Runtime":"TOMCAT|10.1.23-java17","java21Runtime":"TOMCAT|10.1.23-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.23-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.23-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.16","value":"10.1.16","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.16","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.16-java11","java17Runtime":"TOMCAT|10.1.16-java17","java21Runtime":"TOMCAT|10.1.16-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.16-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.16-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.16-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.0","value":"tomcat10.0","minorVersions":[{"displayText":"Apache + Tomcat 10.0","value":"10.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|10.0-java17","java11Runtime":"TOMCAT|10.0-java11","java8Runtime":"TOMCAT|10.0-jre8","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.27","value":"10.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.27-java8","java11Runtime":"TOMCAT|10.0.27-java11","java17Runtime":"TOMCAT|10.0.27-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.27-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.27-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.27-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.23","value":"10.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.23","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.23-java8","java11Runtime":"TOMCAT|10.0.23-java11","java17Runtime":"TOMCAT|10.0.23-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.23-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.23-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.21","value":"10.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.21","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.21-java8","java11Runtime":"TOMCAT|10.0.21-java11","java17Runtime":"TOMCAT|10.0.21-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.21-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.21-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.21-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.20","value":"10.0.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.20","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.20-java8","java11Runtime":"TOMCAT|10.0.20-java11","java17Runtime":"TOMCAT|10.0.20-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.20-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.20-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.12","value":"10.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.12","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.12-java8","java11Runtime":"TOMCAT|10.0.12-java11","java17Runtime":"TOMCAT|10.0.12-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.12-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.12-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.12-java17"}]}}}]},{"displayText":"Apache + Tomcat 9.0","value":"tomcat9.0","minorVersions":[{"displayText":"Apache Tomcat + 9.0","value":"9.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|9.0-java25","java21Runtime":"TOMCAT|9.0-java21","java17Runtime":"TOMCAT|9.0-java17","java11Runtime":"TOMCAT|9.0-java11","java8Runtime":"TOMCAT|9.0-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.113","value":"9.0.113","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.113","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.113-java8","java11Runtime":"TOMCAT|9.0.113-java11","java17Runtime":"TOMCAT|9.0.113-java17","java21Runtime":"TOMCAT|9.0.113-java21","java25Runtime":"TOMCAT|9.0.113-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.113-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.113-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.113-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.113-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.113-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.109","value":"9.0.109","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.109","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.109-java8","java11Runtime":"TOMCAT|9.0.109-java11","java17Runtime":"TOMCAT|9.0.109-java17","java21Runtime":"TOMCAT|9.0.109-java21","java25Runtime":"TOMCAT|9.0.109-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.109-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.109-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.109-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.109-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.109-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.107","value":"9.0.107","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.107","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.107-java8","java11Runtime":"TOMCAT|9.0.107-java11","java17Runtime":"TOMCAT|9.0.107-java17","java21Runtime":"TOMCAT|9.0.107-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.107-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.107-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.107-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.107-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.106","value":"9.0.106","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.106","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.106-java8","java11Runtime":"TOMCAT|9.0.106-java11","java17Runtime":"TOMCAT|9.0.106-java17","java21Runtime":"TOMCAT|9.0.106-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.106-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.106-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.106-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.106-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.105","value":"9.0.105","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.105","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java8Runtime":"TOMCAT|9.0.105-java8","java11Runtime":"TOMCAT|9.0.105-java11","java17Runtime":"TOMCAT|9.0.105-java17","java21Runtime":"TOMCAT|9.0.105-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.105-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.105-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.105-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.105-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.104","value":"9.0.104","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.104","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.104-java8","java11Runtime":"TOMCAT|9.0.104-java11","java17Runtime":"TOMCAT|9.0.104-java17","java21Runtime":"TOMCAT|9.0.104-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.104-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.104-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.104-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.104-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.102","value":"9.0.102","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.102","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.102-java8","java11Runtime":"TOMCAT|9.0.102-java11","java17Runtime":"TOMCAT|9.0.102-java17","java21Runtime":"TOMCAT|9.0.102-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.102-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.102-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.102-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.102-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.100","value":"9.0.100","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.100","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.100-java8","java11Runtime":"TOMCAT|9.0.100-java11","java17Runtime":"TOMCAT|9.0.100-java17","java21Runtime":"TOMCAT|9.0.100-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.100-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.100-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.100-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.98","value":"9.0.98","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.98","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.98-java8","java11Runtime":"TOMCAT|9.0.98-java11","java17Runtime":"TOMCAT|9.0.98-java17","java21Runtime":"TOMCAT|9.0.98-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.98-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.98-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.98-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.98-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.97","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.97","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.97-java8","java11Runtime":"TOMCAT|9.0.97-java11","java17Runtime":"TOMCAT|9.0.97-java17","java21Runtime":"TOMCAT|9.0.97-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.97-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.97-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.97-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.97-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.96","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.96","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.96-java8","java11Runtime":"TOMCAT|9.0.96-java11","java17Runtime":"TOMCAT|9.0.96-java17","java21Runtime":"TOMCAT|9.0.96-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.96-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.96-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.96-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.93","value":"9.0.93","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.93","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.93-java8","java11Runtime":"TOMCAT|9.0.93-java11","java17Runtime":"TOMCAT|9.0.93-java17","java21Runtime":"TOMCAT|9.0.93-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.93-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.93-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.93-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.93-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.91","value":"9.0.91","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.91","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.91-java8","java11Runtime":"TOMCAT|9.0.91-java11","java17Runtime":"TOMCAT|9.0.91-java17","java21Runtime":"TOMCAT|9.0.91-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.91-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.91-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.91-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.91-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.90","value":"9.0.90","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.90","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.90-java8","java11Runtime":"TOMCAT|9.0.90-java11","java17Runtime":"TOMCAT|9.0.90-java17","java21Runtime":"TOMCAT|9.0.90-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.90-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.90-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.90-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.90-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.88","value":"9.0.88","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.88","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.88-java8","java11Runtime":"TOMCAT|9.0.88-java11","java17Runtime":"TOMCAT|9.0.88-java17","java21Runtime":"TOMCAT|9.0.88-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.88-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.88-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.88-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.88-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.83","value":"9.0.83","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.83","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.83-java8","java11Runtime":"TOMCAT|9.0.83-java11","java17Runtime":"TOMCAT|9.0.83-java17","java21Runtime":"TOMCAT|9.0.83-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.83-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.83-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.83-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.83-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.65","value":"9.0.65","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.65","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.65-java8","java11Runtime":"TOMCAT|9.0.65-java11","java17Runtime":"TOMCAT|9.0.65-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.65-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.65-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.65-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.63","value":"9.0.63","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.63","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.63-java8","java11Runtime":"TOMCAT|9.0.63-java11","java17Runtime":"TOMCAT|9.0.63-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.63-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.63-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.63-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.62","value":"9.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.62","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.62-java8","java11Runtime":"TOMCAT|9.0.62-java11","java17Runtime":"TOMCAT|9.0.62-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.62-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.62-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.62-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.54","value":"9.0.54","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.54","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.54-java8","java11Runtime":"TOMCAT|9.0.54-java11","java17Runtime":"TOMCAT|9.0.54-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.54-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.54-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.54-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.52","value":"9.0.52","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.52","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.52-java8","java11Runtime":"TOMCAT|9.0.52-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.52-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.52-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.46","value":"9.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.46","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.46-java8","java11Runtime":"TOMCAT|9.0.46-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.46-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.46-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.41","value":"9.0.41","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.41-java8","java11Runtime":"TOMCAT|9.0.41-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.41-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.38","value":"9.0.38","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.38","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.37","value":"9.0.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.37","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.37-java11","java8Runtime":"TOMCAT|9.0.37-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.37-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.37-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.33","value":"9.0.33","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.33-java11","java8Runtime":"TOMCAT|9.0.33-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.33-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.33-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.31","value":"9.0.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.31","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.27","value":"9.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.21","value":"9.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.21","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.20","value":"9.0.20","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.20-java11","java8Runtime":"TOMCAT|9.0.20-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.20-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.14","value":"9.0.14","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.14","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.12","value":"9.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.12","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.8","value":"9.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.8","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.0","value":"9.0.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.0","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.5","value":"tomcat8.5","minorVersions":[{"displayText":"Apache Tomcat + 8.5","value":"8.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5-java11","java8Runtime":"TOMCAT|8.5-jre8","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.100","value":"8.5.100","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.100-java8","java11Runtime":"TOMCAT|8.5.100-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.100-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.100","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.96","value":"8.5.96","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.96-java8","java11Runtime":"TOMCAT|8.5.96-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.96-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.96","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.82","value":"8.5.82","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.82-java8","java11Runtime":"TOMCAT|8.5.82-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.82-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.82-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.82","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.79","value":"8.5.79","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.79-java8","java11Runtime":"TOMCAT|8.5.79-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.79-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.79-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.79","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.78","value":"8.5.78","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.78-java8","java11Runtime":"TOMCAT|8.5.78-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.78-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.78-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.78","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.72","value":"8.5.72","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.72-java8","java11Runtime":"TOMCAT|8.5.72-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.72-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.72-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.72","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.69","value":"8.5.69","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.69-java8","java11Runtime":"TOMCAT|8.5.69-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.69-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.69-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.69","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.66","value":"8.5.66","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.66-java8","java11Runtime":"TOMCAT|8.5.66-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.66-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.66-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.66","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.61","value":"8.5.61","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.61-java8","java11Runtime":"TOMCAT|8.5.61-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.61-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.61-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.58","value":"8.5.58","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.58","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.57","value":"8.5.57","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.57","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.57-java11","java8Runtime":"TOMCAT|8.5.57-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.57-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.57-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.53","value":"8.5.53","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.53-java11","java8Runtime":"TOMCAT|8.5.53-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.53-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.53-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.51","value":"8.5.51","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.51","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.47","value":"8.5.47","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.47","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.42","value":"8.5.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.42","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.41","value":"8.5.41","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.41-java11","java8Runtime":"TOMCAT|8.5.41-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.41-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.37","value":"8.5.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.37","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.34","value":"8.5.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.34","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.31","value":"8.5.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.31","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.20","value":"8.5.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.20","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.6","value":"8.5.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.6","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.0","value":"tomcat8.0","minorVersions":[{"displayText":"Apache Tomcat + 8.0","value":"8.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.53","value":"8.0.53","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.53","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.46","value":"8.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.46","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.23","value":"8.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.23","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 7.0","value":"tomcat7.0","minorVersions":[{"displayText":"Apache Tomcat + 7.0","value":"7.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.94","value":"7.0.94","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.94","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.81","value":"7.0.81","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.81","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.62","value":"7.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.62","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.50","value":"7.0.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.50","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.3","value":"jetty9.3","minorVersions":[{"displayText":"Jetty 9.3","value":"9.3","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.25","value":"9.3.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.25","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.13","value":"9.3.13","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.13","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.1","value":"jetty9.1","minorVersions":[{"displayText":"Jetty 9.1","value":"9.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.1.0","value":"9.1.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1.0","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"WildFly + 14","value":"wildfly14","minorVersions":[{"displayText":"WildFly 14","value":"14","stackSettings":{"linuxContainerSettings":{"java8Runtime":"WILDFLY|14-jre8","isDeprecated":true,"isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14-jre8"}]}}},{"displayText":"WildFly + 14.0.1","value":"14.0.1","stackSettings":{"linuxContainerSettings":{"isDeprecated":true,"java8Runtime":"WILDFLY|14.0.1-java8","runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14.0.1-java8"}]}}}]}]}},{"id":null,"name":"staticsite","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"HTML + (Static Content)","value":"staticsite","preferredOs":"linux","majorVersions":[{"displayText":"HTML + (Static Content)","value":"1","minorVersions":[{"displayText":"HTML (Static + Content)","value":"1.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"STATICSITE|1.0","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false}}}}]}]}},{"id":null,"name":"go","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Go","value":"go","preferredOs":"linux","majorVersions":[{"displayText":"Go + 1","value":"go1","minorVersions":[{"displayText":"Go 1.19 (Experimental)","value":"go1.19","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.19","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":true},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false}}},{"displayText":"Go + 1.18 (Experimental)","value":"go1.18","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":false},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false,"isDeprecated":true}}}]}]}}],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '187558' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:02:32 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - '' + x-msedge-ref: + - 'Ref A: 880714D100FC47D499D20C89ED0B1C08 Ref B: PNQ231110908029 Ref C: 2026-04-02T11:02:32Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"location": "West US 2", "properties": {"serverFarmId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003", + "reserved": false, "isXenon": false, "hyperV": false, "siteConfig": {"netFrameworkVersion": + "v4.6", "linuxFxVersion": "PYTHON|3.11", "appSettings": [], "localMySqlEnabled": + false, "http20Enabled": true, "http20ProxyFlag": 0}, "scmSiteAlsoStopped": false, + "httpsOnly": false}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '497' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:02:46.6933333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":false,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8601' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:06 GMT + etag: + - 1DCC2903CE41A55,1DCC2903D1A86A0,1DCC2903D35FDE0 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/df643528-6398-44e4-9b3d-51e23009ae15 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '800' + x-msedge-ref: + - 'Ref A: ACFDF9C7FD2E4B16AE710C39E70DF027 Ref B: PNQ231110906060 Ref C: 2026-04-02T11:02:33Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"format": "WebDeploy"}' + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp create + Connection: + - keep-alive + Content-Length: + - '23' + Content-Type: + - application/json + ParameterSetName: + - -g -n --plan -r + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/publishxml?api-version=2024-11-01 + response: + body: + string: + headers: + cache-control: + - no-cache + content-length: + - '1904' + content-type: + - application/xml + date: + - Thu, 02 Apr 2026 11:03:07 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/571d516d-1bc3-4f97-bcd7-c991da812b2e + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: 4760A0E08664477FA55F12126076AF9F Ref B: PNQ231110909062 Ref C: 2026-04-02T11:03:07Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp config appsettings set + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n --settings + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings/list?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings","name":"appsettings","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{}}' + headers: + cache-control: + - no-cache + content-length: + - '274' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:08 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/8e0b8b11-6454-4dfc-a358-de7d163d9245 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: 99315142B2E544EA9340EBD05EC34BF9 Ref B: PNQ231110908034 Ref C: 2026-04-02T11:03:08Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp config appsettings set + Connection: + - keep-alive + ParameterSetName: + - -g -n --settings + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:06.8833333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8407' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:09 GMT + etag: + - 1DCC29048ECDA35 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: D14307ECD1B249E1A52821E69B1C2F50 Ref B: PNQ231110909023 Ref C: 2026-04-02T11:03:09Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"WEBSITE_RUN_FROM_PACKAGE": "https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp config appsettings set + Connection: + - keep-alive + Content-Length: + - '93' + Content-Type: + - application/json + ParameterSetName: + - -g -n --settings + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings","name":"appsettings","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"WEBSITE_RUN_FROM_PACKAGE":"https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + cache-control: + - no-cache + content-length: + - '348' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:10 GMT + etag: + - 1DCC29048ECDA35 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/cc9d81b4-2b08-4004-ba0c-57aa2fe6dee8 + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: 28B8D81845C34E21BA1D4BB55C513570 Ref B: PNQ231110909023 Ref C: 2026-04-02T11:03:10Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"name": "webapp-up-enr000002", "type": "Site"}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '47' + Content-Type: + - application/json + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2024-11-01 + response: + body: + string: '{"nameAvailable":false,"reason":"AlreadyExists","message":"Hostname + ''webapp-up-enr000002'' already exists. Please select a different name."}' + headers: + cache-control: + - no-cache + content-length: + - '139' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:11 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/centralindia/0ad5ef1b-86af-49d6-86b4-70825625290a + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 7EC31071A6264F0895706FED67E9525E Ref B: PNQ231110907060 Ref C: 2026-04-02T11:03:11Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":null,"name":"dotnet","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":".NET","value":"dotnet","preferredOs":"windows","majorVersions":[{"displayText":".NET + 10 (LTS)","value":"dotnet10","minorVersions":[{"displayText":".NET 10 (LTS)","value":"10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-12-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-12-01T00:00:00Z"}}}]},{"displayText":".NET + 9 (STS)","value":"dotnet9","minorVersions":[{"displayText":".NET 9 (STS)","value":"9","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 8 (LTS)","value":"dotnet8","minorVersions":[{"displayText":".NET 8 (LTS)","value":"8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 7 (STS)","value":"dotnet7","minorVersions":[{"displayText":".NET 7 (STS)","value":"7","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-05-14T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-05-14T00:00:00Z"}}}]},{"displayText":".NET + 6","value":"dotnet6","minorVersions":[{"displayText":".NET 6 (LTS)","value":"6","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-11-12T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-11-12T00:00:00Z"}}}]},{"displayText":".NET + 5","value":"dotnet5","minorVersions":[{"displayText":".NET 5","value":"5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-05-08T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-05-08T00:00:00Z"}}}]},{"displayText":".NET + Core 3","value":"dotnetcore3","minorVersions":[{"displayText":".NET Core 3.1 + (LTS)","value":"3.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"}}},{"displayText":".NET + Core 3.0","value":"3.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2020-03-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2020-03-03T00:00:00Z"}}}]},{"displayText":".NET + Core 2","value":"dotnetcore2","minorVersions":[{"displayText":".NET Core 2.2","value":"2.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-23T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-23T00:00:00Z"}}},{"displayText":".NET + Core 2.1 (LTS)","value":"2.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-07-21T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-07-21T00:00:00Z"}}},{"displayText":".NET + Core 2.0","value":"2.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-10-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-10-01T00:00:00Z"}}}]},{"displayText":".NET + Core 1","value":"dotnetcore1","minorVersions":[{"displayText":".NET Core 1.1","value":"1.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}},{"displayText":".NET + Core 1.0","value":"1.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}}]},{"displayText":"ASP.NET + V4","value":"aspdotnetv4","minorVersions":[{"displayText":"ASP.NET V4.8","value":"v4.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v4.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"ASP.NET + V3","value":"aspdotnetv3","minorVersions":[{"displayText":"ASP.NET V3.5","value":"v3.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v2.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"node","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Node","value":"node","preferredOs":"linux","majorVersions":[{"displayText":"Node + LTS","value":"lts","minorVersions":[{"displayText":"Node LTS","value":"lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"}}}}]},{"displayText":"Node + 24","value":"24","minorVersions":[{"displayText":"Node 24 LTS","value":"24-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|24-lts","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~24","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-04-30T00:00:00Z"}}}]},{"displayText":"Node + 22","value":"22","minorVersions":[{"displayText":"Node 22 LTS","value":"22-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|22-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~22","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-04-30T00:00:00Z"}}}]},{"displayText":"Node + 20","value":"20","minorVersions":[{"displayText":"Node 20 LTS","value":"20-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|20-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~20","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-04-30T00:00:00Z"}}}]},{"displayText":"Node + 18","value":"18","minorVersions":[{"displayText":"Node 18 LTS","value":"18-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|18-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2025-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2025-04-30T00:00:00Z"}}}]},{"displayText":"Node + 16","value":"16","minorVersions":[{"displayText":"Node 16 LTS","value":"16-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|16-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-09-11T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-09-11T00:00:00Z"}}}]},{"displayText":"Node + 14","value":"14","minorVersions":[{"displayText":"Node 14 LTS","value":"14-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|14-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-04-30T00:00:00Z"}}}]},{"displayText":"Node + 12","value":"12","minorVersions":[{"displayText":"Node 12 LTS","value":"12-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"12.13.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}},{"displayText":"Node + 12.9","value":"12.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12.9","isDeprecated":true,"remoteDebuggingSupported":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}}]},{"displayText":"Node + 10","value":"10","minorVersions":[{"displayText":"Node 10 LTS","value":"10-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.16","value":"10.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.15","value":"10.15","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"10.15.2","isDeprecated":true,"isPreview":true,"isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.14","value":"10.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.14.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.12","value":"10.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.10","value":"10.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.0.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.6","value":"10.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.1","value":"10.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}}]},{"displayText":"Node + 9","value":"9","minorVersions":[{"displayText":"Node 9.4","value":"9.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|9.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-30T00:00:00Z"}}}]},{"displayText":"Node + 8","value":"8","minorVersions":[{"displayText":"Node 8 LTS","value":"8-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.12","value":"8.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.11","value":"8.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.10","value":"8.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.9","value":"8.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.8","value":"8.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.5","value":"8.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.4","value":"8.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.1.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}}]},{"displayText":"Node + 7","value":"7","minorVersions":[{"displayText":"Node 7.10","value":"7.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2017-06-30T00:00:00Z"}}}]},{"displayText":"Node + 6","value":"6","minorVersions":[{"displayText":"Node 6 LTS","value":"6-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.12","value":"6.12","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.11","value":"6.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.10","value":"6.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.9","value":"6.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"6.9.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.6","value":"6.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.5","value":"6.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.2","value":"6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}}]},{"displayText":"Node + 4","value":"4","minorVersions":[{"displayText":"Node 4.8","value":"4.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.5","value":"4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.4","value":"4.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}}]}]}},{"id":null,"name":"python","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Python","value":"python","preferredOs":"linux","majorVersions":[{"displayText":"Python + 3","value":"3","minorVersions":[{"displayText":"Python 3.14","value":"3.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.14","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.14"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2030-10-31T00:00:00Z"}}},{"displayText":"Python + 3.13","value":"3.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.13"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-10-31T00:00:00Z"}}},{"displayText":"Python + 3.12","value":"3.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.12"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-10-31T00:00:00Z"}}},{"displayText":"Python + 3.11","value":"3.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.11"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.10","value":"3.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.10","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.10"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-10-31T00:00:00Z","isHidden":false,"isEarlyAccess":false}}},{"displayText":"Python + 3.9","value":"3.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.9"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.8","value":"3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.8"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2024-10-07T00:00:00Z"}}},{"displayText":"Python + 3.7","value":"3.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.7","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.7"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-06-27T00:00:00Z"}}},{"displayText":"Python + 3.6","value":"3.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"},"endOfLifeDate":"2021-12-23T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"3.4.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"}}}}]},{"displayText":"Python + 2","value":"2","minorVersions":[{"displayText":"Python 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"php","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"PHP","value":"php","preferredOs":"linux","majorVersions":[{"displayText":"PHP + 8","value":"8","minorVersions":[{"displayText":"PHP 8.5","value":"8.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.5"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.4","value":"8.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.4"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.3","value":"8.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.3"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.2"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.1","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.1"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.0","isDeprecated":true,"isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.0"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-11-26T00:00:00Z"}}}]},{"displayText":"PHP + 7","value":"7","minorVersions":[{"displayText":"PHP 7.4","value":"7.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.3","value":"7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"}}},{"displayText":"PHP + 7.2","value":"7.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-11-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true},"endOfLifeDate":"2020-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.1","value":"7.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}},{"displayText":"7.0","value":"7.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]},{"displayText":"PHP + 5","value":"5","minorVersions":[{"displayText":"PHP 5.6","value":"5.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"ruby","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Ruby","value":"ruby","preferredOs":"linux","majorVersions":[{"displayText":"Ruby + 2","value":"2","minorVersions":[{"displayText":"Ruby 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.7.3","value":"2.7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"isHidden":true,"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6","value":"2.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6.2","value":"2.6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5","value":"2.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5.5","value":"2.5.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.4","value":"2.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.4.5","value":"2.4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.3","value":"2.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.8","value":"2.3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.3","value":"2.3.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.3","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}}]}]}},{"id":null,"name":"java","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java","value":"java","preferredOs":"linux","majorVersions":[{"displayText":"Java + 25","value":"25","minorVersions":[{"displayText":"Java 25","value":"25.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.1","value":"25.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.0","value":"25.0.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}}]},{"displayText":"Java + 21","value":"21","minorVersions":[{"displayText":"Java 21","value":"21.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.9","value":"21.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.6","value":"21.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.5","value":"21.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.4","value":"21.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.3","value":"21.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.1","value":"21.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}}]},{"displayText":"Java + 17","value":"17","minorVersions":[{"displayText":"Java 17","value":"17.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.17","value":"17.0.17","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.17","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.14","value":"17.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.13","value":"17.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.12","value":"17.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.11","value":"17.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.9","value":"17.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.4","value":"17.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.3","value":"17.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.2","value":"17.0.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.1","value":"17.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 11","value":"11","minorVersions":[{"displayText":"Java 11","value":"11.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.29","value":"11.0.29","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.29","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.26","value":"11.0.26","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.26","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.25","value":"11.0.25","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.25","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.24","value":"11.0.24","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.24","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.23","value":"11.0.23","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.23","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.21","value":"11.0.21","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.21","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.16","value":"11.0.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.16","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.15","value":"11.0.15","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.15","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.14","value":"11.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.13","value":"11.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.12","value":"11.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.11","value":"11.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.9","value":"11.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.8","value":"11.0.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.8","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.7","value":"11.0.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.7","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.6","value":"11.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.5","value":"11.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.5_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.3","value":"11.0.3","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.3_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.2","value":"11.0.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.2_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 8","value":"8","minorVersions":[{"displayText":"Java 8","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_472","value":"8.0.472","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_472","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_442","value":"8.0.442","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_442","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_432","value":"8.0.432","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_432","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_422","value":"8.0.422","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_422","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_412","value":"8.0.412","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_412","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_392","value":"8.0.392","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_392","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_345","value":"8.0.345","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_345","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_332","value":"8.0.332","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_332","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_322","value":"8.0.322","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_322","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_312","value":"8.0.312","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_312","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_302","value":"8.0.302","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_302","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_292","value":"8.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_292","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_282","value":"8.0.282","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_282","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_275","value":"8.0.275","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_265","value":"8.0.265","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_265","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_252","value":"8.0.252","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_252","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_242","value":"8.0.242","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_242","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_232","value":"8.0.232","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_232_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_212","value":"8.0.212","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_212_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202","value":"8.0.202","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202 (Oracle)","value":"8.0.202 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_181","value":"8.0.181","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_181 (Oracle)","value":"8.0.181 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_172","value":"8.0.172","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_172 (Oracle)","value":"8.0.172 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_144","value":"8.0.144","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_144","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_111 (Oracle)","value":"8.0.111 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_111","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_102","value":"8.0.102","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_102","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_92","value":"8.0.92","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_92","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_73 (Oracle)","value":"8.0.73 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_73","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_60 (Oracle)","value":"8.0.60 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_60","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_25 (Oracle)","value":"8.0.25 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_25","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"Java + 7","value":"7","minorVersions":[{"displayText":"Java 7","value":"7.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7","isAutoUpdate":true,"isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_292","value":"7.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_292","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_272","value":"7.0.272","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_272","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_262","value":"7.0.262","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_262","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_242","value":"7.0.242","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_242_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_222","value":"7.0.222","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_222_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_191","value":"7.0.191","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_191_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_80 (Oracle)","value":"7.0.80 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_80","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_71 (Oracle)","value":"7.0.71 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_71","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_51 (Oracle)","value":"7.0.51 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_51","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"javacontainers","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java + Containers","value":"javacontainers","majorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"javase","minorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"SE","stackSettings":{"windowsContainerSettings":{"javaContainer":"JAVA","javaContainerVersion":"SE","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"JAVA|25-java25","java21Runtime":"JAVA|21-java21","java17Runtime":"JAVA|17-java17","java11Runtime":"JAVA|11-java11","java8Runtime":"JAVA|8-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8-jre8"},{"runtimeVersion":"11","runtime":"JAVA|11-java11"},{"runtimeVersion":"17","runtime":"JAVA|17-java17"},{"runtimeVersion":"21","runtime":"JAVA|21-java21"},{"runtimeVersion":"25","runtime":"JAVA|25-java25"}]}}},{"displayText":"Java + SE 25.0.1","value":"25.0.1","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.1","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.1"}]}}},{"displayText":"Java + SE 25.0.0","value":"25.0.0","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.0","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.0"}]}}},{"displayText":"Java + SE 21.0.9","value":"21.0.9","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.9","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.9"}]}}},{"displayText":"Java + SE 21.0.8","value":"21.0.8","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.8","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.8"}]}}},{"displayText":"Java + SE 21.0.7","value":"21.0.7","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.7","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.7"}]}}},{"displayText":"Java + SE 21.0.6","value":"21.0.6","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.6","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.6"}]}}},{"displayText":"Java + SE 21.0.5","value":"21.0.5","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.5","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.5"}]}}},{"displayText":"Java + SE 21.0.4","value":"21.0.4","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.4","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.4"}]}}},{"displayText":"Java + SE 21.0.3","value":"21.0.3","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.3","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.3"}]}}},{"displayText":"Java + SE 21.0.1","value":"21.0.1","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.1","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.1"}]}}},{"displayText":"Java + SE 17.0.17","value":"17.0.17","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.17","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.17"}]}}},{"displayText":"Java + SE 17.0.16","value":"17.0.16","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.16","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.16"}]}}},{"displayText":"Java + SE 17.0.15","value":"17.0.15","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.15","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.15"}]}}},{"displayText":"Java + SE 17.0.14","value":"17.0.14","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.14","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.14"}]}}},{"displayText":"Java + SE 17.0.13","value":"17.0.13","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.13","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.13"}]}}},{"displayText":"Java + SE 17.0.12","value":"17.0.12","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.12","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.12"}]}}},{"displayText":"Java + SE 17.0.11","value":"17.0.11","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.11","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.11"}]}}},{"displayText":"Java + SE 17.0.9","value":"17.0.9","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.9","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.9"}]}}},{"displayText":"Java + SE 17.0.4","value":"17.0.4","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.4","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.4"}]}}},{"displayText":"Java + SE 17.0.3","value":"17.0.3","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.3","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.3"}]}}},{"displayText":"Java + SE 17.0.2","value":"17.0.2","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.2","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.2"}]}}},{"displayText":"Java + SE 17.0.1","value":"17.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.1","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.1"}]}}},{"displayText":"Java + SE 11.0.29","value":"11.0.29","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.29","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.29"}]}}},{"displayText":"Java + SE 11.0.28","value":"11.0.28","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.28","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.28"}]}}},{"displayText":"Java + SE 11.0.27","value":"11.0.27","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.27","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.27"}]}}},{"displayText":"Java + SE 11.0.26","value":"11.0.26","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.26","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.26"}]}}},{"displayText":"Java + SE 11.0.25","value":"11.0.25","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.25","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.25"}]}}},{"displayText":"Java + SE 11.0.24","value":"11.0.24","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.24","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.24"}]}}},{"displayText":"Java + SE 11.0.23","value":"11.0.23","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.23","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.23"}]}}},{"displayText":"Java + SE 11.0.21","value":"11.0.21","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.21","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.21"}]}}},{"displayText":"Java + SE 11.0.16","value":"11.0.16","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.16","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.16"}]}}},{"displayText":"Java + SE 11.0.15","value":"11.0.15","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.15","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.15"}]}}},{"displayText":"Java + SE 11.0.14","value":"11.0.14","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.14","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.14"}]}}},{"displayText":"Java + SE 11.0.13","value":"11.0.13","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.13","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.13"}]}}},{"displayText":"Java + SE 11.0.12","value":"11.0.12","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.12","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.12"}]}}},{"displayText":"Java + SE 11.0.11","value":"11.0.11","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.11","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.11"}]}}},{"displayText":"Java + SE 11.0.9","value":"11.0.9","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.9","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.9"}]}}},{"displayText":"Java + SE 11.0.7","value":"11.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.7","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.7"}]}}},{"displayText":"Java + SE 11.0.6","value":"11.0.6","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.6","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.6"}]}}},{"displayText":"Java + SE 11.0.5","value":"11.0.5","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.5","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.5"}]}}},{"displayText":"Java + SE 8u472","value":"1.8.472","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.472","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.472"}]}}},{"displayText":"Java + SE 8u462","value":"1.8.462","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.462","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.462"}]}}},{"displayText":"Java + SE 8u452","value":"1.8.452","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u452","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u452"}]}}},{"displayText":"Java + SE 8u442","value":"1.8.442","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u442","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u442"}]}}},{"displayText":"Java + SE 8u432","value":"1.8.432","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u432","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u432"}]}}},{"displayText":"Java + SE 8u422","value":"1.8.422","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u422","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u422"}]}}},{"displayText":"Java + SE 8u412","value":"1.8.412","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u412","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u412"}]}}},{"displayText":"Java + SE 8u392","value":"1.8.392","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u392","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u392"}]}}},{"displayText":"Java + SE 8u345","value":"1.8.345","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u345","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u345"}]}}},{"displayText":"Java + SE 8u332","value":"1.8.332","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u332","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u332"}]}}},{"displayText":"Java + SE 8u322","value":"1.8.322","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u322","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u322"}]}}},{"displayText":"Java + SE 8u312","value":"1.8.312","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u312","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u312"}]}}},{"displayText":"Java + SE 8u302","value":"1.8.302","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u302","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u302"}]}}},{"displayText":"Java + SE 8u292","value":"1.8.292","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u292","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u292"}]}}},{"displayText":"Java + SE 8u275","value":"1.8.275","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u275","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u275"}]}}},{"displayText":"Java + SE 8u252","value":"1.8.252","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u252","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u252"}]}}},{"displayText":"Java + SE 8u242","value":"1.8.242","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u242","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u242"}]}}},{"displayText":"Java + SE 8u232","value":"1.8.232","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u232","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u232"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1","value":"jbosseap8.1","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1 BYO License","value":"jbosseap8.1_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 0.1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0","value":"jbosseap8.0","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11","java17Runtime":"JBOSSEAP|8-java17","java21Runtime":"JBOSSEAP|8-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java11Runtime":"JBOSSEAP|8.0.9.1-java11","java17Runtime":"JBOSSEAP|8.0.9.1-java17","java21Runtime":"JBOSSEAP|8.0.9.1-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 8","value":"8.0.8","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.8-java11","java17Runtime":"JBOSSEAP|8.0.8-java17","java21Runtime":"JBOSSEAP|8.0.8-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11","java17Runtime":"JBOSSEAP|8.0.7-java17","java21Runtime":"JBOSSEAP|8.0.7-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11","java17Runtime":"JBOSSEAP|8.0.5.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11","java17Runtime":"JBOSSEAP|8.0.4.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 3","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11","java17Runtime":"JBOSSEAP|8.0.3-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1","value":"8.0.2.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2.1-java11","java17Runtime":"JBOSSEAP|8.0.2.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 1","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11","java17Runtime":"JBOSSEAP|8.0.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"jbosseap8.0_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11_byol","java17Runtime":"JBOSSEAP|8-java17_byol","java21Runtime":"JBOSSEAP|8-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.9.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.9.1-java17_byol","java21Runtime":"JBOSSEAP|8.0.9.1-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11_byol","java17Runtime":"JBOSSEAP|8.0.7-java17_byol","java21Runtime":"JBOSSEAP|8.0.7-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.5.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1 BYO License","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.4.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 3 BYO License","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11_byol","java17Runtime":"JBOSSEAP|8.0.3-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1 BYO License","value":"8.0.2","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2-java11_byol","java17Runtime":"JBOSSEAP|8.0.2-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 1 BYO License","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7","value":"jbosseap","minorVersions":[{"displayText":"Red Hat + JBoss EAP 7","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8","java11Runtime":"JBOSSEAP|7-java11","java17Runtime":"JBOSSEAP|7-java17","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java8Runtime":"JBOSSEAP|7.4.23-java8","java11Runtime":"JBOSSEAP|7.4.23-java11","java17Runtime":"JBOSSEAP|7.4.23-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8","java11Runtime":"JBOSSEAP|7.4.22-java11","java17Runtime":"JBOSSEAP|7.4.22-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8","java11Runtime":"JBOSSEAP|7.4.21-java11","java17Runtime":"JBOSSEAP|7.4.21-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8","java11Runtime":"JBOSSEAP|7.4.20-java11","java17Runtime":"JBOSSEAP|7.4.20-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8","java11Runtime":"JBOSSEAP|7.4.18-java11","java17Runtime":"JBOSSEAP|7.4.18-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.17","value":"7.4.17","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.17-java8","java11Runtime":"JBOSSEAP|7.4.17-java11","java17Runtime":"JBOSSEAP|7.4.17-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.17-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.17-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.17-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8","java11Runtime":"JBOSSEAP|7.4.16-java11","java17Runtime":"JBOSSEAP|7.4.16-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8","java11Runtime":"JBOSSEAP|7.4.13-java11","java17Runtime":"JBOSSEAP|7.4.13-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8","java11Runtime":"JBOSSEAP|7.4.7-java11","java17Runtime":"JBOSSEAP|7.4.7-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8","java11Runtime":"JBOSSEAP|7.4.5-java11","java17Runtime":"JBOSSEAP|7.4.5-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8","java11Runtime":"JBOSSEAP|7.4.2-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8","java11Runtime":"JBOSSEAP|7.4.1-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8","java11Runtime":"JBOSSEAP|7.4.0-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8","java11Runtime":"JBOSSEAP|7.3.10-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8","java11Runtime":"JBOSSEAP|7.3.9-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3","value":"7.3","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3-java8","java11Runtime":"JBOSSEAP|7.3-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4","value":"7.4","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4-java8","java11Runtime":"JBOSSEAP|7.4-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4-java11"}]}}},{"displayText":"JBoss + EAP 7.2","value":"7.2.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.2-java8","isDeprecated":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.2-java8"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"jbosseap7_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8_byol","java11Runtime":"JBOSSEAP|7-java11_byol","java17Runtime":"JBOSSEAP|7-java17_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.23-java8_byol","java11Runtime":"JBOSSEAP|7.4.23-java11_byol","java17Runtime":"JBOSSEAP|7.4.23-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8_byol","java11Runtime":"JBOSSEAP|7.4.22-java11_byol","java17Runtime":"JBOSSEAP|7.4.22-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21 BYO License","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8_byol","java11Runtime":"JBOSSEAP|7.4.21-java11_byol","java17Runtime":"JBOSSEAP|7.4.21-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20 BYO License","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8_byol","java11Runtime":"JBOSSEAP|7.4.20-java11_byol","java17Runtime":"JBOSSEAP|7.4.20-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18 BYO License","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8_byol","java11Runtime":"JBOSSEAP|7.4.18-java11_byol","java17Runtime":"JBOSSEAP|7.4.18-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16 BYO License","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8_byol","java11Runtime":"JBOSSEAP|7.4.16-java11_byol","java17Runtime":"JBOSSEAP|7.4.16-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13 BYO License","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8_byol","java11Runtime":"JBOSSEAP|7.4.13-java11_byol","java17Runtime":"JBOSSEAP|7.4.13-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7 BYO License","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8_byol","java11Runtime":"JBOSSEAP|7.4.7-java11_byol","java17Runtime":"JBOSSEAP|7.4.7-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5 BYO License","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8_byol","java11Runtime":"JBOSSEAP|7.4.5-java11_byol","java17Runtime":"JBOSSEAP|7.4.5-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2 BYO License","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8_byol","java11Runtime":"JBOSSEAP|7.4.2-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1 BYO License","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8_byol","java11Runtime":"JBOSSEAP|7.4.1-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0 BYO License","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8_byol","java11Runtime":"JBOSSEAP|7.4.0-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10 BYO License","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8_byol","java11Runtime":"JBOSSEAP|7.3.10-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9 BYO License","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8_byol","java11Runtime":"JBOSSEAP|7.3.9-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11_byol"}]}}}]},{"displayText":"Apache + Tomcat 11.0","value":"tomcat11.0","minorVersions":[{"displayText":"Apache + Tomcat 11.0","value":"11.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|11.0-java25","java21Runtime":"TOMCAT|11.0-java21","java17Runtime":"TOMCAT|11.0-java17","java11Runtime":"TOMCAT|11.0-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.15","value":"11.0.15","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.15","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|11.0-java11","java17Runtime":"TOMCAT|11.0.15-java17","java21Runtime":"TOMCAT|11.0.15-java21","java25Runtime":"TOMCAT|11.0.15-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0.15-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.15-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.15-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.11","value":"11.0.11","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.11","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.11-java17","java21Runtime":"TOMCAT|11.0.11-java21","java25Runtime":"TOMCAT|11.0.11-java25","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.11-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.11-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.11-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.9","value":"11.0.9","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.9","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.9-java17","java21Runtime":"TOMCAT|11.0.9-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.9-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.9-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.8","value":"11.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.8","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.8-java17","java21Runtime":"TOMCAT|11.0.8-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.8-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.8-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.7","value":"11.0.7","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.7","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java17Runtime":"TOMCAT|11.0.7-java17","java21Runtime":"TOMCAT|11.0.7-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.7-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.7-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.6","value":"11.0.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.6","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.6-java17","java21Runtime":"TOMCAT|11.0.6-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.6-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.6-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.5","value":"11.0.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.5","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.5-java17","java21Runtime":"TOMCAT|11.0.5-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.5-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.5-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.4","value":"11.0.4","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.4","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.4-java17","java21Runtime":"TOMCAT|11.0.4-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.4-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.4-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.2","value":"11.0.2","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.2","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.2-java17","java21Runtime":"TOMCAT|11.0.2-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.2-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.2-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.1","value":"11.0.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.1","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.1-java17","java21Runtime":"TOMCAT|11.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.1-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.1","value":"tomcat10.1","minorVersions":[{"displayText":"Apache + Tomcat 10.1","value":"10.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|10.1-java25","java21Runtime":"TOMCAT|10.1-java21","java17Runtime":"TOMCAT|10.1-java17","java11Runtime":"TOMCAT|10.1-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.50","value":"10.1.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.50","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.50-java11","java17Runtime":"TOMCAT|10.1.50-java17","java21Runtime":"TOMCAT|10.1.50-java21","java25Runtime":"TOMCAT|10.1.50-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.50-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.50-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.50-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.50-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.46","value":"10.1.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.46","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.46-java11","java17Runtime":"TOMCAT|10.1.46-java17","java21Runtime":"TOMCAT|10.1.46-java21","java25Runtime":"TOMCAT|10.1.46-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.46-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.46-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.46-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.46-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.43","value":"10.1.43","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.43","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.43-java11","java17Runtime":"TOMCAT|10.1.43-java17","java21Runtime":"TOMCAT|10.1.43-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.43-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.43-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.43-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.42","value":"10.1.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.42","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.42-java11","java17Runtime":"TOMCAT|10.1.42-java17","java21Runtime":"TOMCAT|10.1.42-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.42-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.42-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.42-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.41","value":"10.1.41","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.41","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java11Runtime":"TOMCAT|10.1.41-java11","java17Runtime":"TOMCAT|10.1.41-java17","java21Runtime":"TOMCAT|10.1.41-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.41-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.41-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.41-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.40","value":"10.1.40","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.40","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.40-java11","java17Runtime":"TOMCAT|10.1.40-java17","java21Runtime":"TOMCAT|10.1.40-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.40-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.40-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.40-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.39","value":"10.1.39","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.39","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.39-java11","java17Runtime":"TOMCAT|10.1.39-java17","java21Runtime":"TOMCAT|10.1.39-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.39-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.39-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.39-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.36","value":"10.1.36","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.36","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.36-java11","java17Runtime":"TOMCAT|10.1.36-java17","java21Runtime":"TOMCAT|10.1.36-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.36-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.36-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.36-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.34","value":"10.1.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.34","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.34-java11","java17Runtime":"TOMCAT|10.1.34-java17","java21Runtime":"TOMCAT|10.1.34-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.34-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.34-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.34-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.33","value":"10.1.33","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.33","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.33-java11","java17Runtime":"TOMCAT|10.1.33-java17","java21Runtime":"TOMCAT|10.1.33-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.33-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.33-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.33-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.31","value":"10.1.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.31","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.31-java11","java17Runtime":"TOMCAT|10.1.31-java17","java21Runtime":"TOMCAT|10.1.31-java21","isHidden":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.31-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.31-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.31-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.28","value":"10.1.28","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.28","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.28-java11","java17Runtime":"TOMCAT|10.1.28-java17","java21Runtime":"TOMCAT|10.1.28-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.28-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.28-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.28-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.25","value":"10.1.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.25","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.25-java11","java17Runtime":"TOMCAT|10.1.25-java17","java21Runtime":"TOMCAT|10.1.25-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.25-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.25-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.25-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.23","value":"10.1.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.23","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.23-java11","java17Runtime":"TOMCAT|10.1.23-java17","java21Runtime":"TOMCAT|10.1.23-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.23-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.23-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.16","value":"10.1.16","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.16","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.16-java11","java17Runtime":"TOMCAT|10.1.16-java17","java21Runtime":"TOMCAT|10.1.16-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.16-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.16-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.16-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.0","value":"tomcat10.0","minorVersions":[{"displayText":"Apache + Tomcat 10.0","value":"10.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|10.0-java17","java11Runtime":"TOMCAT|10.0-java11","java8Runtime":"TOMCAT|10.0-jre8","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.27","value":"10.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.27-java8","java11Runtime":"TOMCAT|10.0.27-java11","java17Runtime":"TOMCAT|10.0.27-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.27-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.27-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.27-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.23","value":"10.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.23","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.23-java8","java11Runtime":"TOMCAT|10.0.23-java11","java17Runtime":"TOMCAT|10.0.23-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.23-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.23-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.21","value":"10.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.21","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.21-java8","java11Runtime":"TOMCAT|10.0.21-java11","java17Runtime":"TOMCAT|10.0.21-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.21-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.21-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.21-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.20","value":"10.0.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.20","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.20-java8","java11Runtime":"TOMCAT|10.0.20-java11","java17Runtime":"TOMCAT|10.0.20-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.20-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.20-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.12","value":"10.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.12","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.12-java8","java11Runtime":"TOMCAT|10.0.12-java11","java17Runtime":"TOMCAT|10.0.12-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.12-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.12-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.12-java17"}]}}}]},{"displayText":"Apache + Tomcat 9.0","value":"tomcat9.0","minorVersions":[{"displayText":"Apache Tomcat + 9.0","value":"9.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|9.0-java25","java21Runtime":"TOMCAT|9.0-java21","java17Runtime":"TOMCAT|9.0-java17","java11Runtime":"TOMCAT|9.0-java11","java8Runtime":"TOMCAT|9.0-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.113","value":"9.0.113","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.113","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.113-java8","java11Runtime":"TOMCAT|9.0.113-java11","java17Runtime":"TOMCAT|9.0.113-java17","java21Runtime":"TOMCAT|9.0.113-java21","java25Runtime":"TOMCAT|9.0.113-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.113-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.113-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.113-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.113-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.113-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.109","value":"9.0.109","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.109","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.109-java8","java11Runtime":"TOMCAT|9.0.109-java11","java17Runtime":"TOMCAT|9.0.109-java17","java21Runtime":"TOMCAT|9.0.109-java21","java25Runtime":"TOMCAT|9.0.109-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.109-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.109-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.109-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.109-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.109-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.107","value":"9.0.107","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.107","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.107-java8","java11Runtime":"TOMCAT|9.0.107-java11","java17Runtime":"TOMCAT|9.0.107-java17","java21Runtime":"TOMCAT|9.0.107-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.107-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.107-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.107-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.107-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.106","value":"9.0.106","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.106","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.106-java8","java11Runtime":"TOMCAT|9.0.106-java11","java17Runtime":"TOMCAT|9.0.106-java17","java21Runtime":"TOMCAT|9.0.106-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.106-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.106-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.106-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.106-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.105","value":"9.0.105","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.105","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java8Runtime":"TOMCAT|9.0.105-java8","java11Runtime":"TOMCAT|9.0.105-java11","java17Runtime":"TOMCAT|9.0.105-java17","java21Runtime":"TOMCAT|9.0.105-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.105-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.105-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.105-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.105-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.104","value":"9.0.104","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.104","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.104-java8","java11Runtime":"TOMCAT|9.0.104-java11","java17Runtime":"TOMCAT|9.0.104-java17","java21Runtime":"TOMCAT|9.0.104-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.104-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.104-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.104-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.104-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.102","value":"9.0.102","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.102","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.102-java8","java11Runtime":"TOMCAT|9.0.102-java11","java17Runtime":"TOMCAT|9.0.102-java17","java21Runtime":"TOMCAT|9.0.102-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.102-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.102-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.102-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.102-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.100","value":"9.0.100","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.100","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.100-java8","java11Runtime":"TOMCAT|9.0.100-java11","java17Runtime":"TOMCAT|9.0.100-java17","java21Runtime":"TOMCAT|9.0.100-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.100-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.100-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.100-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.98","value":"9.0.98","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.98","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.98-java8","java11Runtime":"TOMCAT|9.0.98-java11","java17Runtime":"TOMCAT|9.0.98-java17","java21Runtime":"TOMCAT|9.0.98-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.98-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.98-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.98-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.98-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.97","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.97","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.97-java8","java11Runtime":"TOMCAT|9.0.97-java11","java17Runtime":"TOMCAT|9.0.97-java17","java21Runtime":"TOMCAT|9.0.97-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.97-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.97-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.97-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.97-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.96","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.96","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.96-java8","java11Runtime":"TOMCAT|9.0.96-java11","java17Runtime":"TOMCAT|9.0.96-java17","java21Runtime":"TOMCAT|9.0.96-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.96-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.96-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.96-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.93","value":"9.0.93","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.93","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.93-java8","java11Runtime":"TOMCAT|9.0.93-java11","java17Runtime":"TOMCAT|9.0.93-java17","java21Runtime":"TOMCAT|9.0.93-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.93-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.93-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.93-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.93-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.91","value":"9.0.91","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.91","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.91-java8","java11Runtime":"TOMCAT|9.0.91-java11","java17Runtime":"TOMCAT|9.0.91-java17","java21Runtime":"TOMCAT|9.0.91-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.91-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.91-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.91-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.91-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.90","value":"9.0.90","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.90","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.90-java8","java11Runtime":"TOMCAT|9.0.90-java11","java17Runtime":"TOMCAT|9.0.90-java17","java21Runtime":"TOMCAT|9.0.90-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.90-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.90-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.90-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.90-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.88","value":"9.0.88","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.88","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.88-java8","java11Runtime":"TOMCAT|9.0.88-java11","java17Runtime":"TOMCAT|9.0.88-java17","java21Runtime":"TOMCAT|9.0.88-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.88-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.88-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.88-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.88-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.83","value":"9.0.83","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.83","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.83-java8","java11Runtime":"TOMCAT|9.0.83-java11","java17Runtime":"TOMCAT|9.0.83-java17","java21Runtime":"TOMCAT|9.0.83-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.83-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.83-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.83-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.83-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.65","value":"9.0.65","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.65","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.65-java8","java11Runtime":"TOMCAT|9.0.65-java11","java17Runtime":"TOMCAT|9.0.65-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.65-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.65-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.65-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.63","value":"9.0.63","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.63","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.63-java8","java11Runtime":"TOMCAT|9.0.63-java11","java17Runtime":"TOMCAT|9.0.63-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.63-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.63-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.63-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.62","value":"9.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.62","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.62-java8","java11Runtime":"TOMCAT|9.0.62-java11","java17Runtime":"TOMCAT|9.0.62-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.62-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.62-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.62-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.54","value":"9.0.54","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.54","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.54-java8","java11Runtime":"TOMCAT|9.0.54-java11","java17Runtime":"TOMCAT|9.0.54-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.54-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.54-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.54-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.52","value":"9.0.52","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.52","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.52-java8","java11Runtime":"TOMCAT|9.0.52-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.52-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.52-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.46","value":"9.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.46","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.46-java8","java11Runtime":"TOMCAT|9.0.46-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.46-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.46-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.41","value":"9.0.41","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.41-java8","java11Runtime":"TOMCAT|9.0.41-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.41-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.38","value":"9.0.38","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.38","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.37","value":"9.0.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.37","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.37-java11","java8Runtime":"TOMCAT|9.0.37-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.37-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.37-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.33","value":"9.0.33","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.33-java11","java8Runtime":"TOMCAT|9.0.33-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.33-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.33-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.31","value":"9.0.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.31","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.27","value":"9.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.21","value":"9.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.21","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.20","value":"9.0.20","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.20-java11","java8Runtime":"TOMCAT|9.0.20-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.20-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.14","value":"9.0.14","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.14","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.12","value":"9.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.12","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.8","value":"9.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.8","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.0","value":"9.0.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.0","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.5","value":"tomcat8.5","minorVersions":[{"displayText":"Apache Tomcat + 8.5","value":"8.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5-java11","java8Runtime":"TOMCAT|8.5-jre8","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.100","value":"8.5.100","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.100-java8","java11Runtime":"TOMCAT|8.5.100-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.100-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.100","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.96","value":"8.5.96","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.96-java8","java11Runtime":"TOMCAT|8.5.96-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.96-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.96","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.82","value":"8.5.82","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.82-java8","java11Runtime":"TOMCAT|8.5.82-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.82-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.82-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.82","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.79","value":"8.5.79","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.79-java8","java11Runtime":"TOMCAT|8.5.79-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.79-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.79-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.79","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.78","value":"8.5.78","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.78-java8","java11Runtime":"TOMCAT|8.5.78-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.78-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.78-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.78","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.72","value":"8.5.72","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.72-java8","java11Runtime":"TOMCAT|8.5.72-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.72-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.72-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.72","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.69","value":"8.5.69","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.69-java8","java11Runtime":"TOMCAT|8.5.69-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.69-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.69-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.69","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.66","value":"8.5.66","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.66-java8","java11Runtime":"TOMCAT|8.5.66-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.66-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.66-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.66","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.61","value":"8.5.61","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.61-java8","java11Runtime":"TOMCAT|8.5.61-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.61-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.61-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.58","value":"8.5.58","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.58","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.57","value":"8.5.57","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.57","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.57-java11","java8Runtime":"TOMCAT|8.5.57-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.57-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.57-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.53","value":"8.5.53","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.53-java11","java8Runtime":"TOMCAT|8.5.53-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.53-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.53-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.51","value":"8.5.51","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.51","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.47","value":"8.5.47","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.47","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.42","value":"8.5.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.42","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.41","value":"8.5.41","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.41-java11","java8Runtime":"TOMCAT|8.5.41-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.41-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.37","value":"8.5.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.37","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.34","value":"8.5.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.34","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.31","value":"8.5.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.31","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.20","value":"8.5.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.20","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.6","value":"8.5.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.6","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.0","value":"tomcat8.0","minorVersions":[{"displayText":"Apache Tomcat + 8.0","value":"8.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.53","value":"8.0.53","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.53","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.46","value":"8.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.46","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.23","value":"8.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.23","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 7.0","value":"tomcat7.0","minorVersions":[{"displayText":"Apache Tomcat + 7.0","value":"7.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.94","value":"7.0.94","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.94","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.81","value":"7.0.81","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.81","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.62","value":"7.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.62","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.50","value":"7.0.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.50","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.3","value":"jetty9.3","minorVersions":[{"displayText":"Jetty 9.3","value":"9.3","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.25","value":"9.3.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.25","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.13","value":"9.3.13","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.13","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.1","value":"jetty9.1","minorVersions":[{"displayText":"Jetty 9.1","value":"9.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.1.0","value":"9.1.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1.0","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"WildFly + 14","value":"wildfly14","minorVersions":[{"displayText":"WildFly 14","value":"14","stackSettings":{"linuxContainerSettings":{"java8Runtime":"WILDFLY|14-jre8","isDeprecated":true,"isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14-jre8"}]}}},{"displayText":"WildFly + 14.0.1","value":"14.0.1","stackSettings":{"linuxContainerSettings":{"isDeprecated":true,"java8Runtime":"WILDFLY|14.0.1-java8","runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14.0.1-java8"}]}}}]}]}},{"id":null,"name":"staticsite","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"HTML + (Static Content)","value":"staticsite","preferredOs":"linux","majorVersions":[{"displayText":"HTML + (Static Content)","value":"1","minorVersions":[{"displayText":"HTML (Static + Content)","value":"1.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"STATICSITE|1.0","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false}}}}]}]}},{"id":null,"name":"go","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Go","value":"go","preferredOs":"linux","majorVersions":[{"displayText":"Go + 1","value":"go1","minorVersions":[{"displayText":"Go 1.19 (Experimental)","value":"go1.19","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.19","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":true},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false}}},{"displayText":"Go + 1.18 (Experimental)","value":"go1.18","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":false},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false,"isDeprecated":true}}}]}]}}],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '187558' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:12 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - '' + x-msedge-ref: + - 'Ref A: 6268316337CD4396871CD38B803767DD Ref B: PNQ231110906062 Ref C: 2026-04-02T11:03:13Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/sites?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-deploy-bench-centralus/providers/Microsoft.Web/sites/wa-bench-b1-10mb-20260316-1513","name":"wa-bench-b1-10mb-20260316-1513","type":"Microsoft.Web/sites","kind":"app,linux","location":"Central + US","properties":{"name":"wa-bench-b1-10mb-20260316-1513","state":"Running","hostNames":["wa-bench-b1-10mb-20260316-1513.azurewebsites.net"],"webSpace":"rg-deploy-bench-centralus-CentralUSwebspace-Linux","selfLink":"https://waws-prod-dm1-129.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/rg-deploy-bench-centralus-CentralUSwebspace-Linux/sites/wa-bench-b1-10mb-20260316-1513","repositorySiteName":"wa-bench-b1-10mb-20260316-1513","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["wa-bench-b1-10mb-20260316-1513.azurewebsites.net","wa-bench-b1-10mb-20260316-1513.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.10"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"wa-bench-b1-10mb-20260316-1513.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"wa-bench-b1-10mb-20260316-1513.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-deploy-bench-centralus/providers/Microsoft.Web/serverfarms/asp-bench-b1-20260316-1513","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:45:50.01","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"deploymentId":"wa-bench-b1-10mb-20260316-1513","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"40.122.114.229","possibleInboundIpAddresses":"40.122.114.229","inboundIpv6Address":"2603:1030:10:8::7","possibleInboundIpv6Addresses":"2603:1030:10:8::7","ftpUsername":"wa-bench-b1-10mb-20260316-1513\\$wa-bench-b1-10mb-20260316-1513","ftpsHostName":"ftps://waws-prod-dm1-129.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"40.113.234.66,23.99.222.236,23.99.210.196,40.113.247.163,40.122.114.229","possibleOutboundIpAddresses":"40.113.234.66,23.99.222.236,23.99.210.196,40.113.247.163,40.113.236.255,23.99.209.120,23.99.213.137,40.113.238.109,40.113.224.116,20.80.112.97,20.80.113.33,20.80.113.51,20.80.113.52,20.80.113.76,20.80.113.92,52.154.203.9,52.154.254.8,52.158.172.22,52.158.172.35,52.158.172.120,52.158.173.174,40.122.114.229","outboundIpv6Addresses":"2603:1030:b:b::14a,2603:1030:b:12::174,2603:1030:b:12::175,2603:1030:b:a::159,2603:1030:10:8::7,2603:10e1:100:2::287a:72e5","possibleOutboundIpv6Addresses":"2603:1030:b:b::14a,2603:1030:b:12::174,2603:1030:b:12::175,2603:1030:b:a::159,2603:1030:b:3::224,2603:1030:b:a::15a,2603:1030:b:d::16b,2603:1030:b:e::13b,2603:1030:b:5::3cd,2603:1030:b:f::158,2603:1030:b:12::179,2603:1030:b:c::1a0,2603:1030:b:d::16d,2603:1030:b:c::1a2,2603:1030:b:d::16e,2603:1030:b:d::16f,2603:1030:b:d::170,2603:1030:b:d::172,2603:1030:b:c::1a4,2603:1030:b:12::17e,2603:1030:b:7::15b,2603:1030:10:8::7,2603:10e1:100:2::287a:72e5","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-dm1-129","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"rg-deploy-bench-centralus","defaultHostName":"wa-bench-b1-10mb-20260316-1513.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgvsuvjdkhjvnjup4r2fwiun3eothq3tvbhqfmbgrydpgb5uah42gnly4wjs4bmqxpa/providers/Microsoft.Web/sites/functionappwithappinsightsrp22rqlivq3szu","name":"functionappwithappinsightsrp22rqlivq3szu","type":"Microsoft.Web/sites","kind":"functionapp","location":"France + Central","properties":{"name":"functionappwithappinsightsrp22rqlivq3szu","state":"Running","hostNames":["functionappwithappinsightsrp22rqlivq3szu.azurewebsites.net"],"webSpace":"clitest.rgvsuvjdkhjvnjup4r2fwiun3eothq3tvbhqfmbgrydpgb5uah42gnly4wjs4bmqxpa-FranceCentralwebspace","selfLink":"https://waws-prod-par-021.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/clitest.rgvsuvjdkhjvnjup4r2fwiun3eothq3tvbhqfmbgrydpgb5uah42gnly4wjs4bmqxpa-FranceCentralwebspace/sites/functionappwithappinsightsrp22rqlivq3szu","repositorySiteName":"functionappwithappinsightsrp22rqlivq3szu","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["functionappwithappinsightsrp22rqlivq3szu.azurewebsites.net","functionappwithappinsightsrp22rqlivq3szu.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":""},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"functionappwithappinsightsrp22rqlivq3szu.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"functionappwithappinsightsrp22rqlivq3szu.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgvsuvjdkhjvnjup4r2fwiun3eothq3tvbhqfmbgrydpgb5uah42gnly4wjs4bmqxpa/providers/Microsoft.Web/serverfarms/FranceCentralPlan","reserved":false,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:12:01.9933333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":200,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"deploymentId":"functionappwithappinsightsrp22rqlivq3szu","slotName":null,"trafficManagerHostNames":null,"sku":"Dynamic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.43.43.36","possibleInboundIpAddresses":"20.43.43.36","inboundIpv6Address":"2603:1020:805:2::612","possibleInboundIpv6Addresses":"2603:1020:805:2::612","ftpUsername":"functionappwithappinsightsrp22rqlivq3szu\\$functionappwithappinsightsrp22rqlivq3szu","ftpsHostName":"ftps://waws-prod-par-021.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.74.10.172,20.74.11.5,20.74.11.16,20.74.13.91,20.74.65.15,20.74.66.179,20.43.43.36","possibleOutboundIpAddresses":"20.74.10.172,20.74.11.5,20.74.11.16,20.74.13.91,20.74.65.15,20.74.66.179,172.189.8.88,20.74.66.246,20.74.67.7,20.74.68.18,20.74.68.56,20.74.68.182,20.74.68.185,20.74.68.188,20.74.68.228,20.74.68.239,20.74.13.59,20.74.14.186,20.74.68.241,20.74.68.247,20.74.68.249,20.74.68.251,20.74.69.13,20.74.69.14,20.74.68.238,20.74.69.28,20.74.68.189,20.74.69.35,20.74.69.92,20.74.69.106,20.74.69.147,20.43.43.36","outboundIpv6Addresses":"2603:1020:800:9::241,2603:1020:802:7::2c8,2603:1020:800:a::2f4,2603:1020:800:14::1f0,2603:1020:802:6::29c,2603:1020:802:5::321,2603:1020:805:2::612,2603:10e1:100:2::142b:2b24","possibleOutboundIpv6Addresses":"2603:1020:800:9::241,2603:1020:802:7::2c8,2603:1020:800:a::2f4,2603:1020:800:14::1f0,2603:1020:802:6::29c,2603:1020:802:5::321,2603:1020:802:7::2c9,2603:1020:800:a::2f5,2603:1020:802:7::2ca,2603:1020:800:a::2f6,2603:1020:802:7::2cb,2603:1020:802:7::2cc,2603:1020:802:7::2cd,2603:1020:802:6::29d,2603:1020:802:5::322,2603:1020:802:3::4ae,2603:1020:800:14::1fb,2603:1020:802:7::2ce,2603:1020:800:14::1fc,2603:1020:800:a::2f7,2603:1020:802:7::2cf,2603:1020:800:14::1fd,2603:1020:800:9::242,2603:1020:800:14::1fe,2603:1020:802:3::4af,2603:1020:800:9::243,2603:1020:802:5::323,2603:1020:802:5::324,2603:1020:800:a::2f8,2603:1020:800:14::1ff,2603:1020:805:2::612,2603:10e1:100:2::142b:2b24","containerSize":1536,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-par-021","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rgvsuvjdkhjvnjup4r2fwiun3eothq3tvbhqfmbgrydpgb5uah42gnly4wjs4bmqxpa","defaultHostName":"functionappwithappinsightsrp22rqlivq3szu.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg2ueozzswtvlapomwhqg7uhuplcl5d5di3gup4j63qeku3a2ekg5qt5llceez7szt4/providers/Microsoft.Web/sites/functionapp-slotnxq2pvvh","name":"functionapp-slotnxq2pvvh","type":"Microsoft.Web/sites","kind":"functionapp","location":"France + Central","properties":{"name":"functionapp-slotnxq2pvvh","state":"Running","hostNames":["functionapp-slotnxq2pvvh.azurewebsites.net"],"webSpace":"clitest.rg2ueozzswtvlapomwhqg7uhuplcl5d5di3gup4j63qeku3a2ekg5qt5llceez7szt4-FranceCentralwebspace","selfLink":"https://waws-prod-par-021.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/clitest.rg2ueozzswtvlapomwhqg7uhuplcl5d5di3gup4j63qeku3a2ekg5qt5llceez7szt4-FranceCentralwebspace/sites/functionapp-slotnxq2pvvh","repositorySiteName":"functionapp-slotnxq2pvvh","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["functionapp-slotnxq2pvvh.azurewebsites.net","functionapp-slotnxq2pvvh.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":""},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"functionapp-slotnxq2pvvh.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"functionapp-slotnxq2pvvh.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg2ueozzswtvlapomwhqg7uhuplcl5d5di3gup4j63qeku3a2ekg5qt5llceez7szt4/providers/Microsoft.Web/serverfarms/funcappplankhu4xkcgkvg3s","reserved":false,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:12:27.1933333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":true,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"deploymentId":"functionapp-slotnxq2pvvh","slotName":null,"trafficManagerHostNames":null,"sku":"Standard","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.43.43.36","possibleInboundIpAddresses":"20.43.43.36","inboundIpv6Address":"2603:1020:805:2::612","possibleInboundIpv6Addresses":"2603:1020:805:2::612","ftpUsername":"functionapp-slotnxq2pvvh\\$functionapp-slotnxq2pvvh","ftpsHostName":"ftps://waws-prod-par-021.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.74.10.172,20.74.11.5,20.74.11.16,20.74.13.91,20.74.65.15,20.74.66.179,20.43.43.36","possibleOutboundIpAddresses":"20.74.10.172,20.74.11.5,20.74.11.16,20.74.13.91,20.74.65.15,20.74.66.179,172.189.8.88,20.74.66.246,20.74.67.7,20.74.68.18,20.74.68.56,20.74.68.182,20.74.68.185,20.74.68.188,20.74.68.228,20.74.68.239,20.74.13.59,20.74.14.186,20.74.68.241,20.74.68.247,20.74.68.249,20.74.68.251,20.74.69.13,20.74.69.14,20.74.68.238,20.74.69.28,20.74.68.189,20.74.69.35,20.74.69.92,20.74.69.106,20.74.69.147,20.43.43.36","outboundIpv6Addresses":"2603:1020:800:9::241,2603:1020:802:7::2c8,2603:1020:800:a::2f4,2603:1020:800:14::1f0,2603:1020:802:6::29c,2603:1020:802:5::321,2603:1020:805:2::612,2603:10e1:100:2::142b:2b24","possibleOutboundIpv6Addresses":"2603:1020:800:9::241,2603:1020:802:7::2c8,2603:1020:800:a::2f4,2603:1020:800:14::1f0,2603:1020:802:6::29c,2603:1020:802:5::321,2603:1020:802:7::2c9,2603:1020:800:a::2f5,2603:1020:802:7::2ca,2603:1020:800:a::2f6,2603:1020:802:7::2cb,2603:1020:802:7::2cc,2603:1020:802:7::2cd,2603:1020:802:6::29d,2603:1020:802:5::322,2603:1020:802:3::4ae,2603:1020:800:14::1fb,2603:1020:802:7::2ce,2603:1020:800:14::1fc,2603:1020:800:a::2f7,2603:1020:802:7::2cf,2603:1020:800:14::1fd,2603:1020:800:9::242,2603:1020:800:14::1fe,2603:1020:802:3::4af,2603:1020:800:9::243,2603:1020:802:5::323,2603:1020:802:5::324,2603:1020:800:a::2f8,2603:1020:800:14::1ff,2603:1020:805:2::612,2603:10e1:100:2::142b:2b24","containerSize":1536,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-par-021","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rg2ueozzswtvlapomwhqg7uhuplcl5d5di3gup4j63qeku3a2ekg5qt5llceez7szt4","defaultHostName":"functionapp-slotnxq2pvvh.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgcce6c2oda44wfpsc3xk4i6ma66kypteevg4x753hxzmprs4qshdfnmtnjd6hujxkw/providers/Microsoft.Web/sites/cli-funcapp-nwrtlaht6z6m","name":"cli-funcapp-nwrtlaht6z6m","type":"Microsoft.Web/sites","kind":"functionapp","location":"North + Europe","properties":{"name":"cli-funcapp-nwrtlaht6z6m","state":"Running","hostNames":["cli-funcapp-nwrtlaht6z6m.azurewebsites.net"],"webSpace":"clitest.rgcce6c2oda44wfpsc3xk4i6ma66kypteevg4x753hxzmprs4qshdfnmtnjd6hujxkw-NorthEuropewebspace","selfLink":"https://waws-prod-db3-325.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/clitest.rgcce6c2oda44wfpsc3xk4i6ma66kypteevg4x753hxzmprs4qshdfnmtnjd6hujxkw-NorthEuropewebspace/sites/cli-funcapp-nwrtlaht6z6m","repositorySiteName":"cli-funcapp-nwrtlaht6z6m","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["cli-funcapp-nwrtlaht6z6m.azurewebsites.net","cli-funcapp-nwrtlaht6z6m.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":""},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"cli-funcapp-nwrtlaht6z6m.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"cli-funcapp-nwrtlaht6z6m.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgcce6c2oda44wfpsc3xk4i6ma66kypteevg4x753hxzmprs4qshdfnmtnjd6hujxkw/providers/Microsoft.Web/serverfarms/NorthEuropePlan","reserved":false,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:12:50.02","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":200,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"cli-funcapp-nwrtlaht6z6m","slotName":null,"trafficManagerHostNames":null,"sku":"Dynamic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.107.224.60","possibleInboundIpAddresses":"20.107.224.60","inboundIpv6Address":"2603:1020:5:6::50","possibleInboundIpv6Addresses":"2603:1020:5:6::50","ftpUsername":"cli-funcapp-nwrtlaht6z6m\\$cli-funcapp-nwrtlaht6z6m","ftpsHostName":"ftps://waws-prod-db3-325.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"4.209.245.221,4.209.245.245,4.209.245.252,4.209.246.3,4.209.246.4,4.209.246.7,4.209.247.7,4.209.247.31,4.209.247.32,4.209.247.39,4.209.247.53,4.209.247.64,4.209.247.68,4.209.247.92,4.209.247.98,4.209.247.101,4.209.247.103,4.209.247.112,20.107.224.60","possibleOutboundIpAddresses":"4.209.245.221,4.209.245.245,4.209.245.252,4.209.246.3,4.209.246.4,4.209.246.7,4.209.247.7,4.209.247.31,4.209.247.32,4.209.247.39,4.209.247.53,4.209.247.64,4.209.247.68,4.209.247.92,4.209.247.98,4.209.247.101,4.209.247.103,4.209.247.112,135.236.255.161,4.209.246.57,4.209.246.62,4.209.246.74,4.209.246.126,4.209.246.131,4.209.246.147,4.209.246.172,4.209.246.194,4.209.246.205,4.209.246.207,4.209.246.214,4.209.246.216,4.209.246.224,4.209.246.226,4.209.246.234,4.209.246.238,4.209.246.243,4.209.247.2,4.209.247.119,4.209.247.148,4.209.247.155,4.209.247.156,4.209.247.162,4.209.247.164,20.107.224.60","outboundIpv6Addresses":"2603:1020:2:3::762,2603:1020:2:3::765,2603:1020:2:3::766,2603:1020:2:3::768,2603:1020:2:3::76b,2603:1020:2:3::76d,2603:1020:2:3::79e,2603:1020:2:3::7a0,2603:1020:2:3::7a3,2603:1020:2:3::7a6,2603:1020:2:3::7a7,2603:1020:2:3::7a8,2603:1020:2:3::7aa,2603:1020:2:3::7ad,2603:1020:2:3::7af,2603:1020:2:3::7b1,2603:1020:2:3::7b2,2603:1020:2:3::7b4,2603:1020:5:6::50,2603:10e1:100:2::146b:e03c,2603:1020:5:5::b0,2603:10e1:100:2::1432:4044","possibleOutboundIpv6Addresses":"2603:1020:2:3::762,2603:1020:2:3::765,2603:1020:2:3::766,2603:1020:2:3::768,2603:1020:2:3::76b,2603:1020:2:3::76d,2603:1020:2:3::79e,2603:1020:2:3::7a0,2603:1020:2:3::7a3,2603:1020:2:3::7a6,2603:1020:2:3::7a7,2603:1020:2:3::7a8,2603:1020:2:3::7aa,2603:1020:2:3::7ad,2603:1020:2:3::7af,2603:1020:2:3::7b1,2603:1020:2:3::7b2,2603:1020:2:3::7b4,2603:1020:2:3::76e,2603:1020:2:3::771,2603:1020:2:3::774,2603:1020:2:3::775,2603:1020:2:3::776,2603:1020:2:3::779,2603:1020:2:3::77b,2603:1020:2:3::77d,2603:1020:2:3::77f,2603:1020:2:3::783,2603:1020:2:3::785,2603:1020:2:3::786,2603:1020:2:3::78b,2603:1020:2:3::78c,2603:1020:2:3::78e,2603:1020:2:3::793,2603:1020:2:3::797,2603:1020:2:3::79b,2603:1020:2:3::7b5,2603:1020:2:3::7b7,2603:1020:2:3::7b8,2603:1020:2:3::7b9,2603:1020:2:3::7bb,2603:1020:2:3::7bd,2603:1020:5:6::50,2603:10e1:100:2::146b:e03c,2603:1020:5:5::b0,2603:10e1:100:2::1432:4044","containerSize":1536,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-db3-325","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rgcce6c2oda44wfpsc3xk4i6ma66kypteevg4x753hxzmprs4qshdfnmtnjd6hujxkw","defaultHostName":"cli-funcapp-nwrtlaht6z6m.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:11.0266667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgboyqpkbxly7x3t47hl7tu2kwqcxo74gxufmc3tobj4y63diy6jre353uds7w5a6lk/providers/Microsoft.Web/sites/functionappniadfql7s62oijynsuhyhi723zjfq","name":"functionappniadfql7s62oijynsuhyhi723zjfq","type":"Microsoft.Web/sites","kind":"functionapp,linux","location":"East + Asia","properties":{"name":"functionappniadfql7s62oijynsuhyhi723zjfq","state":"Running","hostNames":["functionappniadfql7s62oijynsuhyhi723zjfq.azurewebsites.net"],"webSpace":"flex-7436debb7ce43ce0973d5c9014903dd745f12cc7b14ed33ad65f52e378b80c60-webspace","selfLink":"https://waws-prod-hk1-055.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/flex-7436debb7ce43ce0973d5c9014903dd745f12cc7b14ed33ad65f52e378b80c60-webspace/sites/functionappniadfql7s62oijynsuhyhi723zjfq","repositorySiteName":"functionappniadfql7s62oijynsuhyhi723zjfq","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":true,"afdEnabled":false,"enabledHostNames":["functionappniadfql7s62oijynsuhyhi723zjfq.azurewebsites.net","functionappniadfql7s62oijynsuhyhi723zjfq.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":""},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"functionappniadfql7s62oijynsuhyhi723zjfq.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"functionappniadfql7s62oijynsuhyhi723zjfq.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgboyqpkbxly7x3t47hl7tu2kwqcxo74gxufmc3tobj4y63diy6jre353uds7w5a6lk/providers/Microsoft.Web/serverfarms/ASP-clitestrgboyqpkbxly7x3t47hl7tu2-7936","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:12:45.1833333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":100,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":{"deployment":{"storage":{"type":"blobcontainer","value":"https://clitestm2xmga2r7u2xljny6.blob.core.windows.net/app-package-functionappniadfql7s62oijynsuhyh-4493974","authentication":{"type":"storageaccountconnectionstring","userAssignedIdentityResourceId":null,"storageAccountConnectionStringName":"DEPLOYMENT_STORAGE_CONNECTION_STRING"}}},"runtime":{"name":"python","version":"3.10"},"scaleAndConcurrency":{"alwaysReady":[],"maximumInstanceCount":100,"instanceMemoryMB":2048,"triggers":null},"siteUpdateStrategy":{"type":"Recreate"}},"daprConfig":null,"deploymentId":"functionappniadfql7s62oijynsuhyhi723zjfq","slotName":null,"trafficManagerHostNames":null,"sku":"FlexConsumption","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.205.69.87,20.205.70.8","possibleInboundIpAddresses":"20.205.69.87,20.205.70.8","inboundIpv6Address":"2603:1040:207:3::41e","possibleInboundIpv6Addresses":"2603:1040:207:3::41e","ftpUsername":"functionappniadfql7s62oijynsuhyhi723zjfq\\$functionappniadfql7s62oijynsuhyhi723zjfq","ftpsHostName":"ftps://waws-prod-hk1-055.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.187.161.60,20.187.163.128,20.187.164.27,20.187.165.144,20.187.166.5,20.187.166.169,20.255.205.53,20.255.205.111,20.255.205.117,20.255.205.135,20.255.205.201,20.255.205.238,20.205.69.87,20.205.70.8","possibleOutboundIpAddresses":"20.187.161.60,20.187.163.128,20.187.164.27,20.187.165.144,20.187.166.5,20.187.166.169,20.255.205.53,20.255.205.111,20.255.205.117,20.255.205.135,20.255.205.201,20.255.205.238,20.255.206.2,20.255.206.57,20.255.206.89,20.255.206.100,20.255.206.147,20.2.56.137,20.2.56.202,20.2.58.65,20.2.59.169,20.2.61.23,20.2.62.58,20.2.62.103,20.2.62.118,20.2.63.46,20.6.144.10,20.24.125.44,20.24.125.116,20.239.124.22,20.205.69.87,20.205.70.8","outboundIpv6Addresses":"2603:1040:204:3::1a5,2603:1040:204:3::1a7,2603:1040:204:3::1a9,2603:1040:204:3::1ab,2603:1040:204:3::1ad,2603:1040:204:3::1af,2603:1040:204:3::17e,2603:1040:204:3::182,2603:1040:204:3::183,2603:1040:204:3::186,2603:1040:204:3::188,2603:1040:204:3::189,2603:1040:207:3::41e,2603:10e1:100:2::14cd:4557,2603:1040:207:2::418,2603:10e1:100:2::14cd:4608","possibleOutboundIpv6Addresses":"2603:1040:204:3::1a5,2603:1040:204:3::1a7,2603:1040:204:3::1a9,2603:1040:204:3::1ab,2603:1040:204:3::1ad,2603:1040:204:3::1af,2603:1040:204:3::17e,2603:1040:204:3::182,2603:1040:204:3::183,2603:1040:204:3::186,2603:1040:204:3::188,2603:1040:204:3::189,2603:1040:204:3::18c,2603:1040:204:3::18d,2603:1040:204:3::18f,2603:1040:204:3::192,2603:1040:204:3::194,2603:1040:204:3::196,2603:1040:204:3::198,2603:1040:204:3::199,2603:1040:204:3::19b,2603:1040:204:3::19c,2603:1040:204:3::19d,2603:1040:204:3::19e,2603:1040:204:3::19f,2603:1040:204:3::1a0,2603:1040:204:3::1a1,2603:1040:204:3::1a2,2603:1040:204:3::1a3,2603:1040:204:3::1a4,2603:1040:207:3::41e,2603:10e1:100:2::14cd:4557,2603:1040:207:2::418,2603:10e1:100:2::14cd:4608","containerSize":1536,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-hk1-055","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rgboyqpkbxly7x3t47hl7tu2kwqcxo74gxufmc3tobj4y63diy6jre353uds7w5a6lk","defaultHostName":"functionappniadfql7s62oijynsuhyhi723zjfq.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgdklqdz6p3aa6vnydp5etbrihojvjoqnnddyqh5sfw5z3xyxxqy5jlppbfic5imy5g/providers/Microsoft.Web/sites/tgtfunc3ddvbedeupv6e43jv","name":"tgtfunc3ddvbedeupv6e43jv","type":"Microsoft.Web/sites","kind":"functionapp,linux","location":"East + Asia","properties":{"name":"tgtfunc3ddvbedeupv6e43jv","state":"Running","hostNames":["tgtfunc3ddvbedeupv6e43jv.azurewebsites.net"],"webSpace":"flex-e538ab445a2a810ee4aa249ae208e9d46853790d100ee4edefaf6dfe9e400a30-webspace","selfLink":"https://waws-prod-hk1-057.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/flex-e538ab445a2a810ee4aa249ae208e9d46853790d100ee4edefaf6dfe9e400a30-webspace/sites/tgtfunc3ddvbedeupv6e43jv","repositorySiteName":"tgtfunc3ddvbedeupv6e43jv","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":true,"afdEnabled":false,"enabledHostNames":["tgtfunc3ddvbedeupv6e43jv.azurewebsites.net","tgtfunc3ddvbedeupv6e43jv.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":""},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"tgtfunc3ddvbedeupv6e43jv.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"tgtfunc3ddvbedeupv6e43jv.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgdklqdz6p3aa6vnydp5etbrihojvjoqnnddyqh5sfw5z3xyxxqy5jlppbfic5imy5g/providers/Microsoft.Web/serverfarms/ASP-clitestrgdklqdz6p3aa6vnydp5etbr-9b37","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:12:33.0666667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":100,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":{"deployment":{"storage":{"type":"blobcontainer","value":"https://clitestsqohj4vbg6yjbn227.blob.core.windows.net/app-package-tgtfunc3ddvbedeupv6e43jv-8485501","authentication":{"type":"storageaccountconnectionstring","userAssignedIdentityResourceId":null,"storageAccountConnectionStringName":"DEPLOYMENT_STORAGE_CONNECTION_STRING"}}},"runtime":{"name":"python","version":"3.11"},"scaleAndConcurrency":{"alwaysReady":[],"maximumInstanceCount":100,"instanceMemoryMB":2048,"triggers":null},"siteUpdateStrategy":{"type":"Recreate"}},"daprConfig":null,"deploymentId":"tgtfunc3ddvbedeupv6e43jv","slotName":null,"trafficManagerHostNames":null,"sku":"FlexConsumption","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.205.69.86,20.205.70.9","possibleInboundIpAddresses":"20.205.69.86,20.205.70.9","inboundIpv6Address":"2603:1040:207:3::41f","possibleInboundIpv6Addresses":"2603:1040:207:3::41f","ftpUsername":"tgtfunc3ddvbedeupv6e43jv\\$tgtfunc3ddvbedeupv6e43jv","ftpsHostName":"ftps://waws-prod-hk1-057.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.187.161.206,20.24.120.5,20.24.120.33,20.24.122.12,20.24.122.25,20.24.122.143,20.24.240.207,20.255.205.96,20.255.205.114,20.255.205.124,20.255.205.183,20.255.205.227,20.205.69.86,20.205.70.9","possibleOutboundIpAddresses":"20.187.161.206,20.24.120.5,20.24.120.33,20.24.122.12,20.24.122.25,20.24.122.143,20.24.240.207,20.255.205.96,20.255.205.114,20.255.205.124,20.255.205.183,20.255.205.227,20.255.205.254,20.255.206.65,20.255.206.95,20.255.206.118,20.255.207.167,20.2.56.138,20.2.57.209,20.2.59.117,20.2.60.251,20.2.62.72,20.2.62.109,20.2.62.214,20.2.63.131,20.6.147.100,20.24.125.45,20.24.125.117,20.239.124.23,20.24.240.54,20.205.69.86,20.205.70.9","outboundIpv6Addresses":"2603:1040:204:3::1d2,2603:1040:204:3::1d3,2603:1040:204:3::1d5,2603:1040:204:3::1d8,2603:1040:204:3::1d9,2603:1040:204:3::1db,2603:1040:204:3::1a6,2603:1040:204:3::1a8,2603:1040:204:3::1aa,2603:1040:204:3::1ac,2603:1040:204:3::1ae,2603:1040:204:3::1b0,2603:1040:207:3::41f,2603:10e1:100:2::14cd:4556,2603:1040:207:2::419,2603:10e1:100:2::14cd:4609","possibleOutboundIpv6Addresses":"2603:1040:204:3::1d2,2603:1040:204:3::1d3,2603:1040:204:3::1d5,2603:1040:204:3::1d8,2603:1040:204:3::1d9,2603:1040:204:3::1db,2603:1040:204:3::1a6,2603:1040:204:3::1a8,2603:1040:204:3::1aa,2603:1040:204:3::1ac,2603:1040:204:3::1ae,2603:1040:204:3::1b0,2603:1040:204:3::1b1,2603:1040:204:3::1b2,2603:1040:204:3::1b3,2603:1040:204:3::1b4,2603:1040:204:3::1b6,2603:1040:204:3::1b8,2603:1040:204:3::1ba,2603:1040:204:3::1bc,2603:1040:204:3::1be,2603:1040:204:3::1c0,2603:1040:204:3::1c2,2603:1040:204:3::1c4,2603:1040:204:3::1c6,2603:1040:204:3::1c8,2603:1040:204:3::1ca,2603:1040:204:3::1cc,2603:1040:204:3::1cd,2603:1040:204:3::1cf,2603:1040:207:3::41f,2603:10e1:100:2::14cd:4556,2603:1040:207:2::419,2603:10e1:100:2::14cd:4609","containerSize":1536,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-hk1-057","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rgdklqdz6p3aa6vnydp5etbrihojvjoqnnddyqh5sfw5z3xyxxqy5jlppbfic5imy5g","defaultHostName":"tgtfunc3ddvbedeupv6e43jv.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgspt2gkzfbgqqbu7cxx55tcnzxrjughejxopweo4adn3andqnsrg3cwte6vlvapm4q/providers/Microsoft.Web/sites/srcfuncnkftxvet4yjfaoqpp","name":"srcfuncnkftxvet4yjfaoqpp","type":"Microsoft.Web/sites","kind":"functionapp,linux","location":"East + Asia","properties":{"name":"srcfuncnkftxvet4yjfaoqpp","state":"Running","hostNames":["srcfuncnkftxvet4yjfaoqpp.azurewebsites.net"],"webSpace":"clitest.rgspt2gkzfbgqqbu7cxx55tcnzxrjughejxopweo4adn3andqnsrg3cwte6vlvapm4q-EastAsiawebspace-Linux","selfLink":"https://waws-prod-hk1-025.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/clitest.rgspt2gkzfbgqqbu7cxx55tcnzxrjughejxopweo4adn3andqnsrg3cwte6vlvapm4q-EastAsiawebspace-Linux/sites/srcfuncnkftxvet4yjfaoqpp","repositorySiteName":"srcfuncnkftxvet4yjfaoqpp","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["srcfuncnkftxvet4yjfaoqpp.azurewebsites.net","srcfuncnkftxvet4yjfaoqpp.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"Python|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"srcfuncnkftxvet4yjfaoqpp.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"srcfuncnkftxvet4yjfaoqpp.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rgspt2gkzfbgqqbu7cxx55tcnzxrjughejxopweo4adn3andqnsrg3cwte6vlvapm4q/providers/Microsoft.Web/serverfarms/EastAsiaLinuxDynamicPlan","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T09:11:52.91","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","secretsCollection":[],"dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"Python|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":200,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"deploymentId":"srcfuncnkftxvet4yjfaoqpp","slotName":null,"trafficManagerHostNames":null,"sku":"Dynamic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":false,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"functionapp,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"20.189.109.109,13.75.115.40","possibleInboundIpAddresses":"20.189.109.109,13.75.115.40","inboundIpv6Address":"2603:1040:207:3::415","possibleInboundIpv6Addresses":"2603:1040:207:3::415","ftpUsername":"srcfuncnkftxvet4yjfaoqpp\\$srcfuncnkftxvet4yjfaoqpp","ftpsHostName":"ftps://waws-prod-hk1-025.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.75.116.148,52.175.30.100,52.175.25.219,13.75.119.112,20.189.109.109,13.75.115.40","possibleOutboundIpAddresses":"13.75.116.148,52.175.30.100,52.175.25.219,13.75.119.112,13.94.60.255,13.94.43.96,20.255.131.144,20.255.131.152,20.255.131.174,20.255.131.186,20.255.131.189,20.255.131.190,20.24.125.251,20.24.126.18,20.24.126.42,20.24.126.47,20.24.126.194,20.24.126.243,20.189.109.109,13.75.115.40","outboundIpv6Addresses":"2603:1040:204:3::c2,2603:1040:204:3::c5,2603:1040:204:3::104,2603:1040:204:3::106,2603:1040:207:3::415,2603:10e1:100:2::d4b:7328,2603:1040:207:3::43c,2603:10e1:100:2::14bd:6d6d","possibleOutboundIpv6Addresses":"2603:1040:204:3::c2,2603:1040:204:3::c5,2603:1040:204:3::104,2603:1040:204:3::106,2603:1040:204:3::107,2603:1040:204:3::108,2603:1040:204:3::109,2603:1040:204:3::10a,2603:1040:204:3::10b,2603:1040:204:3::10c,2603:1040:204:3::10d,2603:1040:204:3::10e,2603:1040:204:3::10f,2603:1040:204:3::110,2603:1040:204:3::111,2603:1040:204:3::112,2603:1040:204:3::113,2603:1040:204:3::114,2603:1040:207:3::415,2603:10e1:100:2::d4b:7328,2603:1040:207:3::43c,2603:10e1:100:2::14bd:6d6d","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-hk1-025","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"clitest.rgspt2gkzfbgqqbu7cxx55tcnzxrjughejxopweo4adn3andqnsrg3cwte6vlvapm4q","defaultHostName":"srcfuncnkftxvet4yjfaoqpp.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"FunctionAppLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":null,"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '73590' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 02 Apr 2026 11:03:14 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-original-request-ids: + - 81852ea6-77ae-4528-8f97-741d38eb8e59 + - a6ef4143-2c23-45af-90aa-5da12a1bced1 + - 43b980ec-a307-4864-a20b-0b18cae6918e + - 89f3e117-96c2-44c2-873b-984471bbc976 + - a65ae478-b1f5-4be7-a040-fd4f48b75abb + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 7DC04BC4FEB54B2A8E50122B67205A05 Ref B: PNQ231110907040 Ref C: 2026-04-02T11:03:14Z' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","name":"webapp-up-enr-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":62830,"name":"webapp-up-enr-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":3,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":1,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":"2026-05-02T11:02:24.0866667","tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_up_enriched000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-029_62830","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":null,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T11:02:26.05","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1800' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:15 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: FEC7147BB791452A9E478E90FF623B23 Ref B: PNQ231110907023 Ref C: 2026-04-02T11:03:16Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web","name":"webapp-up-enr000002","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"numberOfWorkers":1,"defaultDocuments":["Default.htm","Default.html","Default.asp","index.htm","index.html","iisstart.htm","default.aspx","index.php","hostingstart.html"],"netFrameworkVersion":"v4.0","phpVersion":"","pythonVersion":"","nodeVersion":"","powerShellVersion":"","linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":[],"requestTracingEnabled":false,"remoteDebuggingEnabled":false,"remoteDebuggingVersion":null,"httpLoggingEnabled":false,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":35,"detailedErrorLoggingEnabled":false,"publishingUsername":"REDACTED","publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":"None","use32BitWorkerProcess":true,"webSocketsEnabled":false,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":"","managedPipelineMode":"Integrated","virtualApplications":[{"virtualPath":"/","physicalPath":"site\\wwwroot","preloadEnabled":false,"virtualDirectories":null}],"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":false,"customAppPoolIdentityTenantState":false,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":"LeastRequests","routingRules":[],"experiments":{"rampUpRules":[]},"limits":null,"autoHealEnabled":false,"autoHealRules":null,"tracingOptions":null,"vnetName":"","vnetRouteAllEnabled":false,"vnetPrivatePortsCount":0,"publicNetworkAccess":null,"siteAuthEnabled":false,"siteAuthSettings":{"enabled":null,"unauthenticatedClientAction":null,"tokenStoreEnabled":null,"allowedExternalRedirectUrls":null,"defaultProvider":null,"clientId":null,"clientSecret":null,"clientSecretSettingName":null,"clientSecretCertificateThumbprint":null,"issuer":null,"allowedAudiences":null,"additionalLoginParams":null,"isAadAutoProvisioned":false,"aadClaimsAuthorization":null,"googleClientId":null,"googleClientSecret":null,"googleClientSecretSettingName":null,"googleOAuthScopes":null,"facebookAppId":null,"facebookAppSecret":null,"facebookAppSecretSettingName":null,"facebookOAuthScopes":null,"gitHubClientId":null,"gitHubClientSecret":null,"gitHubClientSecretSettingName":null,"gitHubOAuthScopes":null,"twitterConsumerKey":null,"twitterConsumerSecret":null,"twitterConsumerSecretSettingName":null,"microsoftAccountClientId":null,"microsoftAccountClientSecret":null,"microsoftAccountClientSecretSettingName":null,"microsoftAccountOAuthScopes":null,"configVersion":null},"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":false,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":false,"http20Enabled":true,"minTlsVersion":"1.2","minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":"1.2","ftpsState":"FtpsOnly","preWarmedInstanceCount":0,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":false,"functionsRuntimeScaleMonitoringEnabled":false,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":{},"http20ProxyFlag":0,"sitePort":null,"antivirusScanEnabled":false,"storageType":"StorageVolume","sitePrivateLinkHostEnabled":false,"clusteringEnabled":false,"webJobsEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '4181' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:16 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/785ac38d-f266-4f05-a3d1-1851ce72db79 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 078ED63EAEF745EFAE8C666D5982D6C1 Ref B: PNQ231110907062 Ref C: 2026-04-02T11:03:17Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"location": "westus2", "properties": {"perSiteScaling": false, "reserved": + true}, "sku": {"capacity": 1, "name": "B1", "tier": "BASIC"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '137' + Content-Type: + - application/json + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003?api-version=2025-03-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","name":"webapp-up-enr-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"westus2","properties":{"serverFarmId":62830,"name":"webapp-up-enr-plan000003","sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1},"workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":3,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":1,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_up_enriched000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-029_62830","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":"","provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T11:02:26.05","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1844' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:18 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/2a4078dc-f827-4be9-965a-898f54ad77be + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: 47B5880FC7104BB6980B53FAE9ADBAF4 Ref B: PNQ231110906062 Ref C: 2026-04-02T11:03:17Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2024-11-01 + response: + body: + string: '{"value":[{"id":null,"name":"dotnet","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":".NET","value":"dotnet","preferredOs":"windows","majorVersions":[{"displayText":".NET + 10 (LTS)","value":"dotnet10","minorVersions":[{"displayText":".NET 10 (LTS)","value":"10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-12-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|10.0","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-12-01T00:00:00Z"}}}]},{"displayText":".NET + 9 (STS)","value":"dotnet9","minorVersions":[{"displayText":".NET 9 (STS)","value":"9","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|9.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"9.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 8 (LTS)","value":"dotnet8","minorVersions":[{"displayText":".NET 8 (LTS)","value":"8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-11-10T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|8.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-11-10T00:00:00Z"}}}]},{"displayText":".NET + 7 (STS)","value":"dotnet7","minorVersions":[{"displayText":".NET 7 (STS)","value":"7","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-05-14T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-05-14T00:00:00Z"}}}]},{"displayText":".NET + 6","value":"dotnet6","minorVersions":[{"displayText":".NET 6 (LTS)","value":"6","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2024-11-12T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"6.0.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2024-11-12T00:00:00Z"}}}]},{"displayText":".NET + 5","value":"dotnet5","minorVersions":[{"displayText":".NET 5","value":"5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-05-08T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"5.0.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-05-08T00:00:00Z"}}}]},{"displayText":".NET + Core 3","value":"dotnetcore3","minorVersions":[{"displayText":".NET Core 3.1 + (LTS)","value":"3.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1.301"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isDeprecated":true,"endOfLifeDate":"2022-12-03T00:00:00Z"}}},{"displayText":".NET + Core 3.0","value":"3.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2020-03-03T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|3.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.0.103"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2020-03-03T00:00:00Z"}}}]},{"displayText":".NET + Core 2","value":"dotnetcore2","minorVersions":[{"displayText":".NET Core 2.2","value":"2.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-23T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.2.207"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-23T00:00:00Z"}}},{"displayText":".NET + Core 2.1 (LTS)","value":"2.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-07-21T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.1","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.807"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-07-21T00:00:00Z"}}},{"displayText":".NET + Core 2.0","value":"2.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-10-01T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|2.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1.202"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-10-01T00:00:00Z"}}}]},{"displayText":".NET + Core 1","value":"dotnetcore1","minorVersions":[{"displayText":".NET Core 1.1","value":"1.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}},{"displayText":".NET + Core 1.0","value":"1.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-06-27T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"DOTNETCORE|1.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"1.1.14"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-27T00:00:00Z"}}}]},{"displayText":"ASP.NET + V4","value":"aspdotnetv4","minorVersions":[{"displayText":"ASP.NET V4.8","value":"v4.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v4.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"ASP.NET + V3","value":"aspdotnetv3","minorVersions":[{"displayText":"ASP.NET V3.5","value":"v3.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"v2.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.1"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"node","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Node","value":"node","preferredOs":"linux","majorVersions":[{"displayText":"Node + LTS","value":"lts","minorVersions":[{"displayText":"Node LTS","value":"lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"}}}}]},{"displayText":"Node + 24","value":"24","minorVersions":[{"displayText":"Node 24 LTS","value":"24-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|24-lts","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~24","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"24.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-04-30T00:00:00Z"}}}]},{"displayText":"Node + 22","value":"22","minorVersions":[{"displayText":"Node 22 LTS","value":"22-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|22-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~22","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"22.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-04-30T00:00:00Z"}}}]},{"displayText":"Node + 20","value":"20","minorVersions":[{"displayText":"Node 20 LTS","value":"20-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|20-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2026-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~20","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"20.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2026-04-30T00:00:00Z"}}}]},{"displayText":"Node + 18","value":"18","minorVersions":[{"displayText":"Node 18 LTS","value":"18-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|18-lts","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2025-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"18.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2025-04-30T00:00:00Z"}}}]},{"displayText":"Node + 16","value":"16","minorVersions":[{"displayText":"Node 16 LTS","value":"16-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|16-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-09-11T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"16.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-09-11T00:00:00Z"}}}]},{"displayText":"Node + 14","value":"14","minorVersions":[{"displayText":"Node 14 LTS","value":"14-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|14-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2023-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"~14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"14.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-04-30T00:00:00Z"}}}]},{"displayText":"Node + 12","value":"12","minorVersions":[{"displayText":"Node 12 LTS","value":"12-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"12.13.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}},{"displayText":"Node + 12.9","value":"12.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|12.9","isDeprecated":true,"remoteDebuggingSupported":true,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"12.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2022-04-01T00:00:00Z"}}}]},{"displayText":"Node + 10","value":"10","minorVersions":[{"displayText":"Node 10 LTS","value":"10-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.16","value":"10.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.16","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.15","value":"10.15","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"10.15.2","isDeprecated":true,"isPreview":true,"isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.14","value":"10.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.14","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.14.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.12","value":"10.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.10","value":"10.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.0.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.6","value":"10.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"10.6.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}},{"displayText":"Node + 10.1","value":"10.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"10.x"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2021-04-01T00:00:00Z"}}}]},{"displayText":"Node + 9","value":"9","minorVersions":[{"displayText":"Node 9.4","value":"9.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|9.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-06-30T00:00:00Z"}}}]},{"displayText":"Node + 8","value":"8","minorVersions":[{"displayText":"Node 8 LTS","value":"8-lts","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.12","value":"8.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.11","value":"8.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.10","value":"8.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.9","value":"8.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.8","value":"8.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.5","value":"8.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.4","value":"8.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"8.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"8.1.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}},{"displayText":"Node + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|8.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-12-31T00:00:00Z"}}}]},{"displayText":"Node + 7","value":"7","minorVersions":[{"displayText":"Node 7.10","value":"7.10","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.10.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2017-06-30T00:00:00Z"}}}]},{"displayText":"Node + 6","value":"6","minorVersions":[{"displayText":"Node 6 LTS","value":"6-LTS","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6-lts","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.12","value":"6.12","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.12","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.11","value":"6.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.11","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.10","value":"6.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.10","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.9","value":"6.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.9","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"6.9.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.6","value":"6.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.5","value":"6.5","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"6.5.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}},{"displayText":"Node + 6.2","value":"6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2019-04-30T00:00:00Z"}}}]},{"displayText":"Node + 4","value":"4","minorVersions":[{"displayText":"Node 4.8","value":"4.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"4.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.5","value":"4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}},{"displayText":"Node + 4.4","value":"4.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"NODE|4.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2018-04-30T00:00:00Z"}}}]}]}},{"id":null,"name":"python","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Python","value":"python","preferredOs":"linux","majorVersions":[{"displayText":"Python + 3","value":"3","minorVersions":[{"displayText":"Python 3.14","value":"3.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.14","remoteDebuggingSupported":false,"isHidden":false,"isPreview":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.14"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2030-10-31T00:00:00Z"}}},{"displayText":"Python + 3.13","value":"3.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.13"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-10-31T00:00:00Z"}}},{"displayText":"Python + 3.12","value":"3.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.12"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-10-31T00:00:00Z"}}},{"displayText":"Python + 3.11","value":"3.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.11"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.10","value":"3.10","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.10","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.10"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-10-31T00:00:00Z","isHidden":false,"isEarlyAccess":false}}},{"displayText":"Python + 3.9","value":"3.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.9"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-10-31T00:00:00Z","isHidden":false}}},{"displayText":"Python + 3.8","value":"3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.8"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2024-10-07T00:00:00Z"}}},{"displayText":"Python + 3.7","value":"3.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.7","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.7"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-06-27T00:00:00Z"}}},{"displayText":"Python + 3.6","value":"3.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|3.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"},"endOfLifeDate":"2021-12-23T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"3.4.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"3.6"}}}}]},{"displayText":"Python + 2","value":"2","minorVersions":[{"displayText":"Python 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PYTHON|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"2.7"},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"php","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"PHP","value":"php","preferredOs":"linux","majorVersions":[{"displayText":"PHP + 8","value":"8","minorVersions":[{"displayText":"PHP 8.5","value":"8.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.5"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2029-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.4","value":"8.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.4"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2028-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.3","value":"8.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.3"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2027-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.2","value":"8.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.2"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2026-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.1","value":"8.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.1","isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.1"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2025-12-31T00:00:00Z"}}},{"displayText":"PHP + 8.0","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|8.0","isDeprecated":true,"isHidden":false,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8.0"},"supportedFeatures":{"disableSsh":true},"endOfLifeDate":"2023-11-26T00:00:00Z"}}}]},{"displayText":"PHP + 7","value":"7","minorVersions":[{"displayText":"PHP 7.4","value":"7.4","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"},"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.4","notSupportedInCreates":true},"isDeprecated":true,"endOfLifeDate":"2022-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.3","value":"7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"7.3","notSupportedInCreates":true},"endOfLifeDate":"2021-12-06T00:00:00Z"}}},{"displayText":"PHP + 7.2","value":"7.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-11-30T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":true},"endOfLifeDate":"2020-11-30T00:00:00Z"}}},{"displayText":"PHP + 7.1","value":"7.1","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"7.1","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}},{"displayText":"7.0","value":"7.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"7.0","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-02-01T00:00:00Z"}}}]},{"displayText":"PHP + 5","value":"5","minorVersions":[{"displayText":"PHP 5.6","value":"5.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"PHP|5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"5.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-02-01T00:00:00Z"}}}]}]}},{"id":null,"name":"ruby","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Ruby","value":"ruby","preferredOs":"linux","majorVersions":[{"displayText":"Ruby + 2","value":"2","minorVersions":[{"displayText":"Ruby 2.7","value":"2.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.7.3","value":"2.7.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.7.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"isHidden":true,"endOfLifeDate":"2023-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6","value":"2.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.6.2","value":"2.6.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.6.2","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2022-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5","value":"2.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.5.5","value":"2.5.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.5.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2021-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.4","value":"2.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.4.5","value":"2.4.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.4.5","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2020-04-01T00:00:00Z"}}},{"displayText":"Ruby + 2.3","value":"2.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.8","value":"2.3.8","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.8","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}},{"displayText":"Ruby + 2.3.3","value":"2.3.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"RUBY|2.3.3","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false},"endOfLifeDate":"2019-03-31T00:00:00Z"}}}]}]}},{"id":null,"name":"java","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java","value":"java","preferredOs":"linux","majorVersions":[{"displayText":"Java + 25","value":"25","minorVersions":[{"displayText":"Java 25","value":"25.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.1","value":"25.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}},{"displayText":"Java + 25.0.0","value":"25.0.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"25.0.0","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"25"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-09-01T00:00:00Z"}}}]},{"displayText":"Java + 21","value":"21","minorVersions":[{"displayText":"Java 21","value":"21.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.9","value":"21.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.6","value":"21.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.5","value":"21.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.5","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.4","value":"21.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.3","value":"21.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}},{"displayText":"Java + 21.0.1","value":"21.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2028-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"21.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"21"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2028-09-01T00:00:00Z"}}}]},{"displayText":"Java + 17","value":"17","minorVersions":[{"displayText":"Java 17","value":"17.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.17","value":"17.0.17","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.17","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.14","value":"17.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.13","value":"17.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.12","value":"17.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.11","value":"17.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.9","value":"17.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.4","value":"17.0.4","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.4","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.3","value":"17.0.3","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.3","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.2","value":"17.0.2","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.2","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 17.0.1","value":"17.0.1","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"17.0.1","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"17"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 11","value":"11","minorVersions":[{"displayText":"Java 11","value":"11.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.29","value":"11.0.29","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.29","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.26","value":"11.0.26","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.26","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.25","value":"11.0.25","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.25","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.24","value":"11.0.24","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.24","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.23","value":"11.0.23","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.23","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.21","value":"11.0.21","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.21","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.16","value":"11.0.16","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.16","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.15","value":"11.0.15","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.15","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.14","value":"11.0.14","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.14","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.13","value":"11.0.13","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.13","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.12","value":"11.0.12","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.12","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.11","value":"11.0.11","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.11","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.9","value":"11.0.9","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.9","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.8","value":"11.0.8","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.8","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.7","value":"11.0.7","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.7","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.6","value":"11.0.6","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.6","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.5","value":"11.0.5","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2027-09-01T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"11.0.5_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.3","value":"11.0.3","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.3_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}},{"displayText":"Java + 11.0.2","value":"11.0.2","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"11.0.2_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"11"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2027-09-01T00:00:00Z"}}}]},{"displayText":"Java + 8","value":"8","minorVersions":[{"displayText":"Java 8","value":"8.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8","isAutoUpdate":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_472","value":"8.0.472","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_472","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_442","value":"8.0.442","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_442","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_432","value":"8.0.432","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_432","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_422","value":"8.0.422","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_422","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_412","value":"8.0.412","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_412","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_392","value":"8.0.392","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_392","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_345","value":"8.0.345","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_345","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_332","value":"8.0.332","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_332","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_322","value":"8.0.322","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_322","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_312","value":"8.0.312","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_312","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_302","value":"8.0.302","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_302","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_292","value":"8.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_292","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_282","value":"8.0.282","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_282","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_275","value":"8.0.275","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_265","value":"8.0.265","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_265","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_252","value":"8.0.252","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_252","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_242","value":"8.0.242","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_242","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_232","value":"8.0.232","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"endOfLifeDate":"2030-12-31T00:00:00Z"},"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_232_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_212","value":"8.0.212","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_212_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202","value":"8.0.202","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_202 (Oracle)","value":"8.0.202 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_202","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_181","value":"8.0.181","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_181 (Oracle)","value":"8.0.181 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_181","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_172","value":"8.0.172","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172_ZULU","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":false},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_172 (Oracle)","value":"8.0.172 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_172","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_144","value":"8.0.144","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_144","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_111 (Oracle)","value":"8.0.111 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_111","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_102","value":"8.0.102","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_102","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_92","value":"8.0.92","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_92","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2030-12-31T00:00:00Z"}}},{"displayText":"Java + 1.8.0_73 (Oracle)","value":"8.0.73 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_73","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_60 (Oracle)","value":"8.0.60 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_60","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.8.0_25 (Oracle)","value":"8.0.25 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.8.0_25","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":true,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":true,"supportedVersion":"8"},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]},{"displayText":"Java + 7","value":"7","minorVersions":[{"displayText":"Java 7","value":"7.0","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7","isAutoUpdate":true,"isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_292","value":"7.0.292","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_292","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_272","value":"7.0.272","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_272","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_262","value":"7.0.262","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_262","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_242","value":"7.0.242","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_242_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_222","value":"7.0.222","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_222_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_191","value":"7.0.191","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_191_ZULU","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"},"endOfLifeDate":"2023-07-01T00:00:00Z"}}},{"displayText":"Java + 1.7.0_80 (Oracle)","value":"7.0.80 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_80","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_71 (Oracle)","value":"7.0.71 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_71","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}},{"displayText":"Java + 1.7.0_51 (Oracle)","value":"7.0.51 (Oracle)","stackSettings":{"windowsRuntimeSettings":{"runtimeVersion":"1.7.0_51","isDeprecated":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false,"isDefaultOff":true},"gitHubActionSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~2"}}}}]}]}},{"id":null,"name":"javacontainers","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Java + Containers","value":"javacontainers","majorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"javase","minorVersions":[{"displayText":"Java + SE (Embedded Web Server)","value":"SE","stackSettings":{"windowsContainerSettings":{"javaContainer":"JAVA","javaContainerVersion":"SE","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"JAVA|25-java25","java21Runtime":"JAVA|21-java21","java17Runtime":"JAVA|17-java17","java11Runtime":"JAVA|11-java11","java8Runtime":"JAVA|8-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8-jre8"},{"runtimeVersion":"11","runtime":"JAVA|11-java11"},{"runtimeVersion":"17","runtime":"JAVA|17-java17"},{"runtimeVersion":"21","runtime":"JAVA|21-java21"},{"runtimeVersion":"25","runtime":"JAVA|25-java25"}]}}},{"displayText":"Java + SE 25.0.1","value":"25.0.1","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.1","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.1"}]}}},{"displayText":"Java + SE 25.0.0","value":"25.0.0","stackSettings":{"linuxContainerSettings":{"java25Runtime":"JAVA|25.0.0","runtimes":[{"runtimeVersion":"25","runtime":"JAVA|25.0.0"}]}}},{"displayText":"Java + SE 21.0.9","value":"21.0.9","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.9","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.9"}]}}},{"displayText":"Java + SE 21.0.8","value":"21.0.8","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.8","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.8"}]}}},{"displayText":"Java + SE 21.0.7","value":"21.0.7","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.7","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.7"}]}}},{"displayText":"Java + SE 21.0.6","value":"21.0.6","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.6","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.6"}]}}},{"displayText":"Java + SE 21.0.5","value":"21.0.5","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.5","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.5"}]}}},{"displayText":"Java + SE 21.0.4","value":"21.0.4","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.4","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.4"}]}}},{"displayText":"Java + SE 21.0.3","value":"21.0.3","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.3","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.3"}]}}},{"displayText":"Java + SE 21.0.1","value":"21.0.1","stackSettings":{"linuxContainerSettings":{"java21Runtime":"JAVA|21.0.1","runtimes":[{"runtimeVersion":"21","runtime":"JAVA|21.0.1"}]}}},{"displayText":"Java + SE 17.0.17","value":"17.0.17","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.17","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.17"}]}}},{"displayText":"Java + SE 17.0.16","value":"17.0.16","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.16","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.16"}]}}},{"displayText":"Java + SE 17.0.15","value":"17.0.15","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.15","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.15"}]}}},{"displayText":"Java + SE 17.0.14","value":"17.0.14","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.14","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.14"}]}}},{"displayText":"Java + SE 17.0.13","value":"17.0.13","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.13","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.13"}]}}},{"displayText":"Java + SE 17.0.12","value":"17.0.12","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.12","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.12"}]}}},{"displayText":"Java + SE 17.0.11","value":"17.0.11","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.11","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.11"}]}}},{"displayText":"Java + SE 17.0.9","value":"17.0.9","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.9","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.9"}]}}},{"displayText":"Java + SE 17.0.4","value":"17.0.4","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.4","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.4"}]}}},{"displayText":"Java + SE 17.0.3","value":"17.0.3","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.3","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.3"}]}}},{"displayText":"Java + SE 17.0.2","value":"17.0.2","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.2","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.2"}]}}},{"displayText":"Java + SE 17.0.1","value":"17.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JAVA|17.0.1","runtimes":[{"runtimeVersion":"17","runtime":"JAVA|17.0.1"}]}}},{"displayText":"Java + SE 11.0.29","value":"11.0.29","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.29","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.29"}]}}},{"displayText":"Java + SE 11.0.28","value":"11.0.28","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.28","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.28"}]}}},{"displayText":"Java + SE 11.0.27","value":"11.0.27","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.27","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.27"}]}}},{"displayText":"Java + SE 11.0.26","value":"11.0.26","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.26","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.26"}]}}},{"displayText":"Java + SE 11.0.25","value":"11.0.25","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.25","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.25"}]}}},{"displayText":"Java + SE 11.0.24","value":"11.0.24","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.24","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.24"}]}}},{"displayText":"Java + SE 11.0.23","value":"11.0.23","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.23","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.23"}]}}},{"displayText":"Java + SE 11.0.21","value":"11.0.21","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.21","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.21"}]}}},{"displayText":"Java + SE 11.0.16","value":"11.0.16","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.16","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.16"}]}}},{"displayText":"Java + SE 11.0.15","value":"11.0.15","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.15","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.15"}]}}},{"displayText":"Java + SE 11.0.14","value":"11.0.14","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.14","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.14"}]}}},{"displayText":"Java + SE 11.0.13","value":"11.0.13","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.13","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.13"}]}}},{"displayText":"Java + SE 11.0.12","value":"11.0.12","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.12","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.12"}]}}},{"displayText":"Java + SE 11.0.11","value":"11.0.11","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.11","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.11"}]}}},{"displayText":"Java + SE 11.0.9","value":"11.0.9","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.9","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.9"}]}}},{"displayText":"Java + SE 11.0.7","value":"11.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.7","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.7"}]}}},{"displayText":"Java + SE 11.0.6","value":"11.0.6","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.6","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.6"}]}}},{"displayText":"Java + SE 11.0.5","value":"11.0.5","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JAVA|11.0.5","runtimes":[{"runtimeVersion":"11","runtime":"JAVA|11.0.5"}]}}},{"displayText":"Java + SE 8u472","value":"1.8.472","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.472","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.472"}]}}},{"displayText":"Java + SE 8u462","value":"1.8.462","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8.0.462","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8.0.462"}]}}},{"displayText":"Java + SE 8u452","value":"1.8.452","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u452","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u452"}]}}},{"displayText":"Java + SE 8u442","value":"1.8.442","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u442","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u442"}]}}},{"displayText":"Java + SE 8u432","value":"1.8.432","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u432","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u432"}]}}},{"displayText":"Java + SE 8u422","value":"1.8.422","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u422","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u422"}]}}},{"displayText":"Java + SE 8u412","value":"1.8.412","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u412","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u412"}]}}},{"displayText":"Java + SE 8u392","value":"1.8.392","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u392","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u392"}]}}},{"displayText":"Java + SE 8u345","value":"1.8.345","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u345","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u345"}]}}},{"displayText":"Java + SE 8u332","value":"1.8.332","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u332","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u332"}]}}},{"displayText":"Java + SE 8u322","value":"1.8.322","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u322","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u322"}]}}},{"displayText":"Java + SE 8u312","value":"1.8.312","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u312","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u312"}]}}},{"displayText":"Java + SE 8u302","value":"1.8.302","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u302","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u302"}]}}},{"displayText":"Java + SE 8u292","value":"1.8.292","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u292","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u292"}]}}},{"displayText":"Java + SE 8u275","value":"1.8.275","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u275","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u275"}]}}},{"displayText":"Java + SE 8u252","value":"1.8.252","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u252","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u252"}]}}},{"displayText":"Java + SE 8u242","value":"1.8.242","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u242","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u242"}]}}},{"displayText":"Java + SE 8u232","value":"1.8.232","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JAVA|8u232","runtimes":[{"runtimeVersion":"8","runtime":"JAVA|8u232"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1","value":"jbosseap8.1","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java17Runtime":"JBOSSEAP|8.1.0.1-java17","java21Runtime":"JBOSSEAP|8.1.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.1 BYO License","value":"jbosseap8.1_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.1","value":"8.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.1 update 0.1","value":"8.1.0.1","stackSettings":{"linuxContainerSettings":{"java17Runtime":"JBOSSEAP|8.1.0.1-java17_byol","java21Runtime":"JBOSSEAP|8.1.0.1-java21_byol","runtimes":[{"runtimeVersion":"17","runtime":"JBOSSEAP|8.1.0.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.1.0.1-java21_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0","value":"jbosseap8.0","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11","java17Runtime":"JBOSSEAP|8-java17","java21Runtime":"JBOSSEAP|8-java21","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java11Runtime":"JBOSSEAP|8.0.9.1-java11","java17Runtime":"JBOSSEAP|8.0.9.1-java17","java21Runtime":"JBOSSEAP|8.0.9.1-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 8","value":"8.0.8","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.8-java11","java17Runtime":"JBOSSEAP|8.0.8-java17","java21Runtime":"JBOSSEAP|8.0.8-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.8-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.8-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.8-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11","java17Runtime":"JBOSSEAP|8.0.7-java17","java21Runtime":"JBOSSEAP|8.0.7-java21","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11","java17Runtime":"JBOSSEAP|8.0.5.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11","java17Runtime":"JBOSSEAP|8.0.4.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 3","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11","java17Runtime":"JBOSSEAP|8.0.3-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1","value":"8.0.2.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2.1-java11","java17Runtime":"JBOSSEAP|8.0.2.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2.1-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 1","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11","java17Runtime":"JBOSSEAP|8.0.1-java17","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17"}]}}}]},{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"jbosseap8.0_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 8.0 BYO License","value":"8.0","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8-java11_byol","java17Runtime":"JBOSSEAP|8-java17_byol","java21Runtime":"JBOSSEAP|8-java21_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 9.1","value":"8.0.9.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.9.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.9.1-java17_byol","java21Runtime":"JBOSSEAP|8.0.9.1-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.9.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.9.1-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.9.1-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 7","value":"8.0.7","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.7-java11_byol","java17Runtime":"JBOSSEAP|8.0.7-java17_byol","java21Runtime":"JBOSSEAP|8.0.7-java21_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.7-java17_byol"},{"runtimeVersion":"21","runtime":"JBOSSEAP|8.0.7-java21_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 5.1","value":"8.0.5.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.5.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.5.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.5.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.5.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 4.1 BYO License","value":"8.0.4.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.4.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.4.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.4.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.4.1-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 3 BYO License","value":"8.0.3","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.3-java11_byol","java17Runtime":"JBOSSEAP|8.0.3-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.3-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.3-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8.0 update 2.1 BYO License","value":"8.0.2","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.2-java11_byol","java17Runtime":"JBOSSEAP|8.0.2-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.2-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.2-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 8 update 1 BYO License","value":"8.0.1","stackSettings":{"linuxContainerSettings":{"java11Runtime":"JBOSSEAP|8.0.1-java11_byol","java17Runtime":"JBOSSEAP|8.0.1-java17_byol","runtimes":[{"runtimeVersion":"11","runtime":"JBOSSEAP|8.0.1-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|8.0.1-java17_byol"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7","value":"jbosseap","minorVersions":[{"displayText":"Red Hat + JBoss EAP 7","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8","java11Runtime":"JBOSSEAP|7-java11","java17Runtime":"JBOSSEAP|7-java17","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"isHidden":true,"java8Runtime":"JBOSSEAP|7.4.23-java8","java11Runtime":"JBOSSEAP|7.4.23-java11","java17Runtime":"JBOSSEAP|7.4.23-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8","java11Runtime":"JBOSSEAP|7.4.22-java11","java17Runtime":"JBOSSEAP|7.4.22-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8","java11Runtime":"JBOSSEAP|7.4.21-java11","java17Runtime":"JBOSSEAP|7.4.21-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8","java11Runtime":"JBOSSEAP|7.4.20-java11","java17Runtime":"JBOSSEAP|7.4.20-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8","java11Runtime":"JBOSSEAP|7.4.18-java11","java17Runtime":"JBOSSEAP|7.4.18-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.17","value":"7.4.17","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.17-java8","java11Runtime":"JBOSSEAP|7.4.17-java11","java17Runtime":"JBOSSEAP|7.4.17-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.17-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.17-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.17-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8","java11Runtime":"JBOSSEAP|7.4.16-java11","java17Runtime":"JBOSSEAP|7.4.16-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8","java11Runtime":"JBOSSEAP|7.4.13-java11","java17Runtime":"JBOSSEAP|7.4.13-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8","java11Runtime":"JBOSSEAP|7.4.7-java11","java17Runtime":"JBOSSEAP|7.4.7-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8","java11Runtime":"JBOSSEAP|7.4.5-java11","java17Runtime":"JBOSSEAP|7.4.5-java17","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8","java11Runtime":"JBOSSEAP|7.4.2-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8","java11Runtime":"JBOSSEAP|7.4.1-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8","java11Runtime":"JBOSSEAP|7.4.0-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8","java11Runtime":"JBOSSEAP|7.3.10-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8","java11Runtime":"JBOSSEAP|7.3.9-java11","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3","value":"7.3","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3-java8","java11Runtime":"JBOSSEAP|7.3-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3-java11"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4","value":"7.4","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4-java8","java11Runtime":"JBOSSEAP|7.4-java11","isAutoUpdate":true,"isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4-java8"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4-java11"}]}}},{"displayText":"JBoss + EAP 7.2","value":"7.2.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.2-java8","isDeprecated":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.2-java8"}]}}}]},{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"jbosseap7_byol","minorVersions":[{"displayText":"Red + Hat JBoss EAP 7 BYO License","value":"7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7-java8_byol","java11Runtime":"JBOSSEAP|7-java11_byol","java17Runtime":"JBOSSEAP|7-java17_byol","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.23","value":"7.4.23","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.23-java8_byol","java11Runtime":"JBOSSEAP|7.4.23-java11_byol","java17Runtime":"JBOSSEAP|7.4.23-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.23-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.23-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.23-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.22","value":"7.4.22","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.22-java8_byol","java11Runtime":"JBOSSEAP|7.4.22-java11_byol","java17Runtime":"JBOSSEAP|7.4.22-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.22-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.22-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.22-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.21 BYO License","value":"7.4.21","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.21-java8_byol","java11Runtime":"JBOSSEAP|7.4.21-java11_byol","java17Runtime":"JBOSSEAP|7.4.21-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.21-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.21-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.21-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.20 BYO License","value":"7.4.20","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.20-java8_byol","java11Runtime":"JBOSSEAP|7.4.20-java11_byol","java17Runtime":"JBOSSEAP|7.4.20-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.20-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.20-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.20-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.18 BYO License","value":"7.4.18","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.18-java8_byol","java11Runtime":"JBOSSEAP|7.4.18-java11_byol","java17Runtime":"JBOSSEAP|7.4.18-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.18-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.18-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.18-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.16 BYO License","value":"7.4.16","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.16-java8_byol","java11Runtime":"JBOSSEAP|7.4.16-java11_byol","java17Runtime":"JBOSSEAP|7.4.16-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.16-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.16-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.16-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.13 BYO License","value":"7.4.13","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.13-java8_byol","java11Runtime":"JBOSSEAP|7.4.13-java11_byol","java17Runtime":"JBOSSEAP|7.4.13-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.13-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.13-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.13-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.7 BYO License","value":"7.4.7","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.7-java8_byol","java11Runtime":"JBOSSEAP|7.4.7-java11_byol","java17Runtime":"JBOSSEAP|7.4.7-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.7-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.7-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.7-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.5 BYO License","value":"7.4.5","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.5-java8_byol","java11Runtime":"JBOSSEAP|7.4.5-java11_byol","java17Runtime":"JBOSSEAP|7.4.5-java17_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.5-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.5-java11_byol"},{"runtimeVersion":"17","runtime":"JBOSSEAP|7.4.5-java17_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.2 BYO License","value":"7.4.2","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.2-java8_byol","java11Runtime":"JBOSSEAP|7.4.2-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.2-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.2-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.1 BYO License","value":"7.4.1","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.1-java8_byol","java11Runtime":"JBOSSEAP|7.4.1-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.1-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.1-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.4.0 BYO License","value":"7.4.0","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.4.0-java8_byol","java11Runtime":"JBOSSEAP|7.4.0-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.4.0-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.4.0-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.10 BYO License","value":"7.3.10","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.10-java8_byol","java11Runtime":"JBOSSEAP|7.3.10-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.10-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.10-java11_byol"}]}}},{"displayText":"Red + Hat JBoss EAP 7.3.9 BYO License","value":"7.3.9","stackSettings":{"linuxContainerSettings":{"java8Runtime":"JBOSSEAP|7.3.9-java8_byol","java11Runtime":"JBOSSEAP|7.3.9-java11_byol","runtimes":[{"runtimeVersion":"8","runtime":"JBOSSEAP|7.3.9-java8_byol"},{"runtimeVersion":"11","runtime":"JBOSSEAP|7.3.9-java11_byol"}]}}}]},{"displayText":"Apache + Tomcat 11.0","value":"tomcat11.0","minorVersions":[{"displayText":"Apache + Tomcat 11.0","value":"11.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|11.0-java25","java21Runtime":"TOMCAT|11.0-java21","java17Runtime":"TOMCAT|11.0-java17","java11Runtime":"TOMCAT|11.0-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.15","value":"11.0.15","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.15","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|11.0-java11","java17Runtime":"TOMCAT|11.0.15-java17","java21Runtime":"TOMCAT|11.0.15-java21","java25Runtime":"TOMCAT|11.0.15-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|11.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|11.0.15-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.15-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.15-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.11","value":"11.0.11","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.11","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.11-java17","java21Runtime":"TOMCAT|11.0.11-java21","java25Runtime":"TOMCAT|11.0.11-java25","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.11-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.11-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|11.0.11-java25"}]}}},{"displayText":"Apache + Tomcat 11.0.9","value":"11.0.9","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.9","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.9-java17","java21Runtime":"TOMCAT|11.0.9-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.9-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.9-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.8","value":"11.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.8","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.8-java17","java21Runtime":"TOMCAT|11.0.8-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.8-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.8-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.7","value":"11.0.7","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.7","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java17Runtime":"TOMCAT|11.0.7-java17","java21Runtime":"TOMCAT|11.0.7-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.7-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.7-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.6","value":"11.0.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.6","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.6-java17","java21Runtime":"TOMCAT|11.0.6-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.6-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.6-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.5","value":"11.0.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.5","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.5-java17","java21Runtime":"TOMCAT|11.0.5-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.5-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.5-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.4","value":"11.0.4","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.4","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.4-java17","java21Runtime":"TOMCAT|11.0.4-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.4-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.4-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.2","value":"11.0.2","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.2","runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.2-java17","java21Runtime":"TOMCAT|11.0.2-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.2-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.2-java21"}]}}},{"displayText":"Apache + Tomcat 11.0.1","value":"11.0.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"11.0.1","isHidden":true,"runtimes":[{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|11.0.1-java17","java21Runtime":"TOMCAT|11.0.1-java21","runtimes":[{"runtimeVersion":"17","runtime":"TOMCAT|11.0.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|11.0.1-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.1","value":"tomcat10.1","minorVersions":[{"displayText":"Apache + Tomcat 10.1","value":"10.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|10.1-java25","java21Runtime":"TOMCAT|10.1-java21","java17Runtime":"TOMCAT|10.1-java17","java11Runtime":"TOMCAT|10.1-java11","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.50","value":"10.1.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.50","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.50-java11","java17Runtime":"TOMCAT|10.1.50-java17","java21Runtime":"TOMCAT|10.1.50-java21","java25Runtime":"TOMCAT|10.1.50-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.50-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.50-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.50-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.50-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.46","value":"10.1.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.46","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.46-java11","java17Runtime":"TOMCAT|10.1.46-java17","java21Runtime":"TOMCAT|10.1.46-java21","java25Runtime":"TOMCAT|10.1.46-java25","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.46-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.46-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.46-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|10.1.46-java25"}]}}},{"displayText":"Apache + Tomcat 10.1.43","value":"10.1.43","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.43","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.43-java11","java17Runtime":"TOMCAT|10.1.43-java17","java21Runtime":"TOMCAT|10.1.43-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.43-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.43-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.43-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.42","value":"10.1.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.42","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.42-java11","java17Runtime":"TOMCAT|10.1.42-java17","java21Runtime":"TOMCAT|10.1.42-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.42-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.42-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.42-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.41","value":"10.1.41","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.41","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java11Runtime":"TOMCAT|10.1.41-java11","java17Runtime":"TOMCAT|10.1.41-java17","java21Runtime":"TOMCAT|10.1.41-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.41-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.41-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.41-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.40","value":"10.1.40","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.40","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.40-java11","java17Runtime":"TOMCAT|10.1.40-java17","java21Runtime":"TOMCAT|10.1.40-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.40-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.40-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.40-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.39","value":"10.1.39","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.39","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.39-java11","java17Runtime":"TOMCAT|10.1.39-java17","java21Runtime":"TOMCAT|10.1.39-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.39-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.39-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.39-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.36","value":"10.1.36","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.36","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.36-java11","java17Runtime":"TOMCAT|10.1.36-java17","java21Runtime":"TOMCAT|10.1.36-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.36-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.36-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.36-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.34","value":"10.1.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.34","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.34-java11","java17Runtime":"TOMCAT|10.1.34-java17","java21Runtime":"TOMCAT|10.1.34-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.34-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.34-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.34-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.33","value":"10.1.33","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.33","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.33-java11","java17Runtime":"TOMCAT|10.1.33-java17","java21Runtime":"TOMCAT|10.1.33-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.33-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.33-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.33-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.31","value":"10.1.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.31","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.31-java11","java17Runtime":"TOMCAT|10.1.31-java17","java21Runtime":"TOMCAT|10.1.31-java21","isHidden":true,"runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.31-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.31-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.31-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.28","value":"10.1.28","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.28","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.28-java11","java17Runtime":"TOMCAT|10.1.28-java17","java21Runtime":"TOMCAT|10.1.28-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.28-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.28-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.28-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.25","value":"10.1.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.25","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.25-java11","java17Runtime":"TOMCAT|10.1.25-java17","java21Runtime":"TOMCAT|10.1.25-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.25-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.25-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.25-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.23","value":"10.1.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.23","isHidden":true,"runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.23-java11","java17Runtime":"TOMCAT|10.1.23-java17","java21Runtime":"TOMCAT|10.1.23-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.23-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.23-java21"}]}}},{"displayText":"Apache + Tomcat 10.1.16","value":"10.1.16","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.1.16","runtimes":[{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|10.1.16-java11","java17Runtime":"TOMCAT|10.1.16-java17","java21Runtime":"TOMCAT|10.1.16-java21","runtimes":[{"runtimeVersion":"11","runtime":"TOMCAT|10.1.16-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.1.16-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|10.1.16-java21"}]}}}]},{"displayText":"Apache + Tomcat 10.0","value":"tomcat10.0","minorVersions":[{"displayText":"Apache + Tomcat 10.0","value":"10.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java17Runtime":"TOMCAT|10.0-java17","java11Runtime":"TOMCAT|10.0-java11","java8Runtime":"TOMCAT|10.0-jre8","isAutoUpdate":true,"endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.27","value":"10.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.27-java8","java11Runtime":"TOMCAT|10.0.27-java11","java17Runtime":"TOMCAT|10.0.27-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.27-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.27-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.27-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.23","value":"10.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.23","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.23-java8","java11Runtime":"TOMCAT|10.0.23-java11","java17Runtime":"TOMCAT|10.0.23-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.23-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.23-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.23-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.21","value":"10.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.21","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.21-java8","java11Runtime":"TOMCAT|10.0.21-java11","java17Runtime":"TOMCAT|10.0.21-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.21-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.21-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.21-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.20","value":"10.0.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.20","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.20-java8","java11Runtime":"TOMCAT|10.0.20-java11","java17Runtime":"TOMCAT|10.0.20-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.20-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.20-java17"}]}}},{"displayText":"Apache + Tomcat 10.0.12","value":"10.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"10.0.12","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|10.0.12-java8","java11Runtime":"TOMCAT|10.0.12-java11","java17Runtime":"TOMCAT|10.0.12-java17","endOfLifeDate":"2022-10-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|10.0.12-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|10.0.12-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|10.0.12-java17"}]}}}]},{"displayText":"Apache + Tomcat 9.0","value":"tomcat9.0","minorVersions":[{"displayText":"Apache Tomcat + 9.0","value":"9.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java25Runtime":"TOMCAT|9.0-java25","java21Runtime":"TOMCAT|9.0-java21","java17Runtime":"TOMCAT|9.0-java17","java11Runtime":"TOMCAT|9.0-java11","java8Runtime":"TOMCAT|9.0-jre8","isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.113","value":"9.0.113","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.113","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.113-java8","java11Runtime":"TOMCAT|9.0.113-java11","java17Runtime":"TOMCAT|9.0.113-java17","java21Runtime":"TOMCAT|9.0.113-java21","java25Runtime":"TOMCAT|9.0.113-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.113-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.113-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.113-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.113-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.113-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.109","value":"9.0.109","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.109","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"},{"runtimeVersion":"25"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.109-java8","java11Runtime":"TOMCAT|9.0.109-java11","java17Runtime":"TOMCAT|9.0.109-java17","java21Runtime":"TOMCAT|9.0.109-java21","java25Runtime":"TOMCAT|9.0.109-java25","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.109-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.109-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.109-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.109-java21"},{"runtimeVersion":"25","runtime":"TOMCAT|9.0.109-java25"}]}}},{"displayText":"Apache + Tomcat 9.0.107","value":"9.0.107","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.107","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.107-java8","java11Runtime":"TOMCAT|9.0.107-java11","java17Runtime":"TOMCAT|9.0.107-java17","java21Runtime":"TOMCAT|9.0.107-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.107-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.107-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.107-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.107-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.106","value":"9.0.106","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.106","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.106-java8","java11Runtime":"TOMCAT|9.0.106-java11","java17Runtime":"TOMCAT|9.0.106-java17","java21Runtime":"TOMCAT|9.0.106-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.106-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.106-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.106-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.106-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.105","value":"9.0.105","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.105","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"isHidden":true,"java8Runtime":"TOMCAT|9.0.105-java8","java11Runtime":"TOMCAT|9.0.105-java11","java17Runtime":"TOMCAT|9.0.105-java17","java21Runtime":"TOMCAT|9.0.105-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.105-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.105-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.105-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.105-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.104","value":"9.0.104","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.104","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.104-java8","java11Runtime":"TOMCAT|9.0.104-java11","java17Runtime":"TOMCAT|9.0.104-java17","java21Runtime":"TOMCAT|9.0.104-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.104-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.104-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.104-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.104-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.102","value":"9.0.102","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.102","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.102-java8","java11Runtime":"TOMCAT|9.0.102-java11","java17Runtime":"TOMCAT|9.0.102-java17","java21Runtime":"TOMCAT|9.0.102-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.102-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.102-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.102-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.102-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.100","value":"9.0.100","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.100","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.100-java8","java11Runtime":"TOMCAT|9.0.100-java11","java17Runtime":"TOMCAT|9.0.100-java17","java21Runtime":"TOMCAT|9.0.100-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.100-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.100-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.100-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.98","value":"9.0.98","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.98","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.98-java8","java11Runtime":"TOMCAT|9.0.98-java11","java17Runtime":"TOMCAT|9.0.98-java17","java21Runtime":"TOMCAT|9.0.98-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.98-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.98-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.98-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.98-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.97","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.97","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.97-java8","java11Runtime":"TOMCAT|9.0.97-java11","java17Runtime":"TOMCAT|9.0.97-java17","java21Runtime":"TOMCAT|9.0.97-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.97-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.97-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.97-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.97-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.96","value":"9.0.97","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.96","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.96-java8","java11Runtime":"TOMCAT|9.0.96-java11","java17Runtime":"TOMCAT|9.0.96-java17","java21Runtime":"TOMCAT|9.0.96-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.96-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.96-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.96-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.93","value":"9.0.93","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.93","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.93-java8","java11Runtime":"TOMCAT|9.0.93-java11","java17Runtime":"TOMCAT|9.0.93-java17","java21Runtime":"TOMCAT|9.0.93-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.93-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.93-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.93-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.93-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.91","value":"9.0.91","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.91","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.91-java8","java11Runtime":"TOMCAT|9.0.91-java11","java17Runtime":"TOMCAT|9.0.91-java17","java21Runtime":"TOMCAT|9.0.91-java21","isHidden":true,"runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.91-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.91-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.91-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.91-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.90","value":"9.0.90","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.90","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.90-java8","java11Runtime":"TOMCAT|9.0.90-java11","java17Runtime":"TOMCAT|9.0.90-java17","java21Runtime":"TOMCAT|9.0.90-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.90-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.90-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.90-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.90-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.88","value":"9.0.88","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.88","isHidden":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.88-java8","java11Runtime":"TOMCAT|9.0.88-java11","java17Runtime":"TOMCAT|9.0.88-java17","java21Runtime":"TOMCAT|9.0.88-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.88-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.88-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.88-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.88-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.83","value":"9.0.83","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.83","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.83-java8","java11Runtime":"TOMCAT|9.0.83-java11","java17Runtime":"TOMCAT|9.0.83-java17","java21Runtime":"TOMCAT|9.0.83-java21","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.83-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.83-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.83-java17"},{"runtimeVersion":"21","runtime":"TOMCAT|9.0.83-java21"}]}}},{"displayText":"Apache + Tomcat 9.0.65","value":"9.0.65","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.65","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.65-java8","java11Runtime":"TOMCAT|9.0.65-java11","java17Runtime":"TOMCAT|9.0.65-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.65-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.65-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.65-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.63","value":"9.0.63","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.63","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.63-java8","java11Runtime":"TOMCAT|9.0.63-java11","java17Runtime":"TOMCAT|9.0.63-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.63-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.63-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.63-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.62","value":"9.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.62","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.62-java8","java11Runtime":"TOMCAT|9.0.62-java11","java17Runtime":"TOMCAT|9.0.62-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.62-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.62-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.62-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.54","value":"9.0.54","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.54","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.54-java8","java11Runtime":"TOMCAT|9.0.54-java11","java17Runtime":"TOMCAT|9.0.54-java17","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.54-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.54-java11"},{"runtimeVersion":"17","runtime":"TOMCAT|9.0.54-java17"}]}}},{"displayText":"Apache + Tomcat 9.0.52","value":"9.0.52","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.52","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.52-java8","java11Runtime":"TOMCAT|9.0.52-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.52-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.52-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.46","value":"9.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.46","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.46-java8","java11Runtime":"TOMCAT|9.0.46-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.46-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.46-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.41","value":"9.0.41","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|9.0.41-java8","java11Runtime":"TOMCAT|9.0.41-java11","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.41-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.38","value":"9.0.38","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.38","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.37","value":"9.0.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.37","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.37-java11","java8Runtime":"TOMCAT|9.0.37-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.37-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.37-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.33","value":"9.0.33","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.33-java11","java8Runtime":"TOMCAT|9.0.33-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.33-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.33-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.31","value":"9.0.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.31","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.27","value":"9.0.27","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.27","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.21","value":"9.0.21","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.21","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.20","value":"9.0.20","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|9.0.20-java11","java8Runtime":"TOMCAT|9.0.20-java8","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|9.0.20-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|9.0.20-java11"}]}}},{"displayText":"Apache + Tomcat 9.0.14","value":"9.0.14","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.14","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.12","value":"9.0.12","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.12","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.8","value":"9.0.8","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.8","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 9.0.0","value":"9.0.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"9.0.0","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.5","value":"tomcat8.5","minorVersions":[{"displayText":"Apache Tomcat + 8.5","value":"8.5","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5-java11","java8Runtime":"TOMCAT|8.5-jre8","isAutoUpdate":true,"endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5-jre8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.100","value":"8.5.100","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.100-java8","java11Runtime":"TOMCAT|8.5.100-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.100-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.100-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.100","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.96","value":"8.5.96","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.96-java8","java11Runtime":"TOMCAT|8.5.96-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.96-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.96-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.96","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.82","value":"8.5.82","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.82-java8","java11Runtime":"TOMCAT|8.5.82-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.82-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.82-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.82","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.79","value":"8.5.79","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.79-java8","java11Runtime":"TOMCAT|8.5.79-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.79-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.79-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.79","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.78","value":"8.5.78","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.78-java8","java11Runtime":"TOMCAT|8.5.78-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.78-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.78-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.78","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.72","value":"8.5.72","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.72-java8","java11Runtime":"TOMCAT|8.5.72-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.72-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.72-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.72","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.69","value":"8.5.69","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.69-java8","java11Runtime":"TOMCAT|8.5.69-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.69-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.69-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.69","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.66","value":"8.5.66","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.66-java8","java11Runtime":"TOMCAT|8.5.66-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.66-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.66-java11"}]},"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.66","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.61","value":"8.5.61","stackSettings":{"linuxContainerSettings":{"java8Runtime":"TOMCAT|8.5.61-java8","java11Runtime":"TOMCAT|8.5.61-java11","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.61-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.61-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.58","value":"8.5.58","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.58","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.57","value":"8.5.57","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.57","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]},"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.57-java11","java8Runtime":"TOMCAT|8.5.57-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.57-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.57-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.53","value":"8.5.53","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.53-java11","java8Runtime":"TOMCAT|8.5.53-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.53-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.53-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.51","value":"8.5.51","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.51","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.47","value":"8.5.47","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.47","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.42","value":"8.5.42","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.42","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.41","value":"8.5.41","stackSettings":{"linuxContainerSettings":{"java11Runtime":"TOMCAT|8.5.41-java11","java8Runtime":"TOMCAT|8.5.41-java8","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8","runtime":"TOMCAT|8.5.41-java8"},{"runtimeVersion":"11","runtime":"TOMCAT|8.5.41-java11"}]}}},{"displayText":"Apache + Tomcat 8.5.37","value":"8.5.37","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.37","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.34","value":"8.5.34","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.34","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.31","value":"8.5.31","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.31","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.20","value":"8.5.20","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.20","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.5.6","value":"8.5.6","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.5.6","endOfLifeDate":"2024-03-31T00:00:00Z","runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 8.0","value":"tomcat8.0","minorVersions":[{"displayText":"Apache Tomcat + 8.0","value":"8.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.53","value":"8.0.53","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.53","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.46","value":"8.0.46","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.46","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 8.0.23","value":"8.0.23","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"8.0.23","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Apache + Tomcat 7.0","value":"tomcat7.0","minorVersions":[{"displayText":"Apache Tomcat + 7.0","value":"7.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.94","value":"7.0.94","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.94","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.81","value":"7.0.81","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.81","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.62","value":"7.0.62","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.62","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Apache + Tomcat 7.0.50","value":"7.0.50","stackSettings":{"windowsContainerSettings":{"javaContainer":"TOMCAT","javaContainerVersion":"7.0.50","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.3","value":"jetty9.3","minorVersions":[{"displayText":"Jetty 9.3","value":"9.3","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.25","value":"9.3.25","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.25","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.3.13","value":"9.3.13","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.3.13","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"Jetty + 9.1","value":"jetty9.1","minorVersions":[{"displayText":"Jetty 9.1","value":"9.1","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1","isAutoUpdate":true,"isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}},{"displayText":"Jetty + 9.1.0","value":"9.1.0","stackSettings":{"windowsContainerSettings":{"javaContainer":"JETTY","javaContainerVersion":"9.1.0","isDeprecated":true,"runtimes":[{"runtimeVersion":"8"},{"runtimeVersion":"11"},{"runtimeVersion":"17"},{"runtimeVersion":"21"}]}}}]},{"displayText":"WildFly + 14","value":"wildfly14","minorVersions":[{"displayText":"WildFly 14","value":"14","stackSettings":{"linuxContainerSettings":{"java8Runtime":"WILDFLY|14-jre8","isDeprecated":true,"isAutoUpdate":true,"runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14-jre8"}]}}},{"displayText":"WildFly + 14.0.1","value":"14.0.1","stackSettings":{"linuxContainerSettings":{"isDeprecated":true,"java8Runtime":"WILDFLY|14.0.1-java8","runtimes":[{"runtimeVersion":"8","runtime":"WILDFLY|14.0.1-java8"}]}}}]}]}},{"id":null,"name":"staticsite","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"HTML + (Static Content)","value":"staticsite","preferredOs":"linux","majorVersions":[{"displayText":"HTML + (Static Content)","value":"1","minorVersions":[{"displayText":"HTML (Static + Content)","value":"1.0","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"STATICSITE|1.0","isHidden":true,"remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"gitHubActionSettings":{"isSupported":false}}}}]}]}},{"id":null,"name":"go","type":"Microsoft.Web/webAppStacks?stackOsType=All","properties":{"displayText":"Go","value":"go","preferredOs":"linux","majorVersions":[{"displayText":"Go + 1","value":"go1","minorVersions":[{"displayText":"Go 1.19 (Experimental)","value":"go1.19","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.19","remoteDebuggingSupported":false,"isDeprecated":true,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":true},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false}}},{"displayText":"Go + 1.18 (Experimental)","value":"go1.18","stackSettings":{"linuxRuntimeSettings":{"runtimeVersion":"GO|1.18","remoteDebuggingSupported":false,"appInsightsSettings":{"isSupported":false},"gitHubActionSettings":{"isSupported":false},"supportedFeatures":{"disableSsh":true},"appSettingsDictionary":{"ApplicationInsightsAgent_EXTENSION_VERSION":"~3"},"isHidden":false,"isEarlyAccess":false,"isDeprecated":true}}}]}]}}],"nextLink":null,"id":null}' + headers: + cache-control: + - no-cache + content-length: + - '187558' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:20 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - '' + x-msedge-ref: + - 'Ref A: 766020C8D33A46978B95B2FE098EB58E Ref B: PNQ231110907023 Ref C: 2026-04-02T11:03:20Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web","name":"webapp-up-enr000002","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"numberOfWorkers":1,"defaultDocuments":["Default.htm","Default.html","Default.asp","index.htm","index.html","iisstart.htm","default.aspx","index.php","hostingstart.html"],"netFrameworkVersion":"v4.0","phpVersion":"","pythonVersion":"","nodeVersion":"","powerShellVersion":"","linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":[],"requestTracingEnabled":false,"remoteDebuggingEnabled":false,"remoteDebuggingVersion":null,"httpLoggingEnabled":false,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":35,"detailedErrorLoggingEnabled":false,"publishingUsername":"REDACTED","publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":"None","use32BitWorkerProcess":true,"webSocketsEnabled":false,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":"","managedPipelineMode":"Integrated","virtualApplications":[{"virtualPath":"/","physicalPath":"site\\wwwroot","preloadEnabled":false,"virtualDirectories":null}],"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":false,"customAppPoolIdentityTenantState":false,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":"LeastRequests","routingRules":[],"experiments":{"rampUpRules":[]},"limits":null,"autoHealEnabled":false,"autoHealRules":null,"tracingOptions":null,"vnetName":"","vnetRouteAllEnabled":false,"vnetPrivatePortsCount":0,"publicNetworkAccess":null,"siteAuthEnabled":false,"siteAuthSettings":{"enabled":null,"unauthenticatedClientAction":null,"tokenStoreEnabled":null,"allowedExternalRedirectUrls":null,"defaultProvider":null,"clientId":null,"clientSecret":null,"clientSecretSettingName":null,"clientSecretCertificateThumbprint":null,"issuer":null,"allowedAudiences":null,"additionalLoginParams":null,"isAadAutoProvisioned":false,"aadClaimsAuthorization":null,"googleClientId":null,"googleClientSecret":null,"googleClientSecretSettingName":null,"googleOAuthScopes":null,"facebookAppId":null,"facebookAppSecret":null,"facebookAppSecretSettingName":null,"facebookOAuthScopes":null,"gitHubClientId":null,"gitHubClientSecret":null,"gitHubClientSecretSettingName":null,"gitHubOAuthScopes":null,"twitterConsumerKey":null,"twitterConsumerSecret":null,"twitterConsumerSecretSettingName":null,"microsoftAccountClientId":null,"microsoftAccountClientSecret":null,"microsoftAccountClientSecretSettingName":null,"microsoftAccountOAuthScopes":null,"configVersion":null},"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":false,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":false,"http20Enabled":true,"minTlsVersion":"1.2","minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":"1.2","ftpsState":"FtpsOnly","preWarmedInstanceCount":0,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":false,"functionsRuntimeScaleMonitoringEnabled":false,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":{},"http20ProxyFlag":0,"sitePort":null,"antivirusScanEnabled":false,"storageType":"StorageVolume","sitePrivateLinkHostEnabled":false,"clusteringEnabled":false,"webJobsEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '4181' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:21 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/38b5c0b2-ac65-45b3-8c47-a23b02697826 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 55AF29D2EA4D4A8D817F311F5359164A Ref B: PNQ231110906052 Ref C: 2026-04-02T11:03:21Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings/list?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings","name":"appsettings","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"WEBSITE_RUN_FROM_PACKAGE":"https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + cache-control: + - no-cache + content-length: + - '348' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:22 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/815da763-fbcd-4e84-bfa3-f0d1450a94fa + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: 98DDB12353A54E5FBD16C9AFDED36849 Ref B: PNQ231110907052 Ref C: 2026-04-02T11:03:22Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings/list?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings","name":"appsettings","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"WEBSITE_RUN_FROM_PACKAGE":"https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + cache-control: + - no-cache + content-length: + - '348' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/b0831d20-ca56-4ea2-9fd5-e5e5ecf92c0f + x-ms-ratelimit-remaining-subscription-resource-requests: + - '799' + x-msedge-ref: + - 'Ref A: F045B6DC273942B0A572F73185BB8B35 Ref B: PNQ231110909023 Ref C: 2026-04-02T11:03:23Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:11.0266667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8407' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:24 GMT + etag: + - 1DCC2904B65132B + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 90F6B3CC21A44C9CABB158CCAEDC4051 Ref B: PNQ231110909031 Ref C: 2026-04-02T11:03:24Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2023-12-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:11.0266667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8341' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:24 GMT + etag: + - 1DCC2904B65132B + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 56F5D53429F54106B5807C489FE0700E Ref B: PNQ231110909052 Ref C: 2026-04-02T11:03:25Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/slotConfigNames?api-version=2024-11-01 + response: + body: + string: '{"id":null,"name":"webapp-up-enr000002","type":"Microsoft.Web/sites","location":"West + US 2","properties":{"connectionStringNames":null,"appSettingNames":null,"azureStorageConfigNames":null}}' + headers: + cache-control: + - no-cache + content-length: + - '190' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:25 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/0134113f-a1a4-471c-b0a9-0efa94db0b3b + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 20059FDCB08D472A87E586CEA31F5FED Ref B: PNQ231110907031 Ref C: 2026-04-02T11:03:26Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"WEBSITE_RUN_FROM_PACKAGE": "https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '93' + Content-Type: + - application/json + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/appsettings","name":"appsettings","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"WEBSITE_RUN_FROM_PACKAGE":"https://fake.blob.core.windows.net/c/fake.zip"}}' + headers: + cache-control: + - no-cache + content-length: + - '348' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:27 GMT + etag: + - 1DCC2904B65132B + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/fa44a61d-ca66-446c-8d15-980aa1983ba6 + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: 581314969D5E458FB9F069865312BE13 Ref B: PNQ231110908040 Ref C: 2026-04-02T11:03:26Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.11"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:27.4633333","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.11","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":0,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8407' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:28 GMT + etag: + - 1DCC29055311C75 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 48C6DC2F320648FAAA8C169922A1E971 Ref B: PNQ231110909062 Ref C: 2026-04-02T11:03:28Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"numberOfWorkers": 1, "defaultDocuments": ["Default.htm", + "Default.html", "Default.asp", "index.htm", "index.html", "iisstart.htm", "default.aspx", + "index.php", "hostingstart.html"], "netFrameworkVersion": "v4.0", "phpVersion": + "", "pythonVersion": "", "nodeVersion": "", "powerShellVersion": "", "linuxFxVersion": + "PYTHON|3.10", "requestTracingEnabled": false, "remoteDebuggingEnabled": false, + "httpLoggingEnabled": false, "acrUseManagedIdentityCreds": false, "logsDirectorySizeLimit": + 35, "detailedErrorLoggingEnabled": false, "publishingUsername": "REDACTED", + "scmType": "None", "use32BitWorkerProcess": true, "webSocketsEnabled": false, + "alwaysOn": false, "appCommandLine": "", "managedPipelineMode": "Integrated", + "virtualApplications": [{"virtualPath": "/", "physicalPath": "site\\wwwroot", + "preloadEnabled": false}], "loadBalancing": "LeastRequests", "experiments": + {"rampUpRules": []}, "autoHealEnabled": false, "vnetName": "", "vnetRouteAllEnabled": + false, "vnetPrivatePortsCount": 0, "localMySqlEnabled": false, "scmIpSecurityRestrictionsUseMain": + false, "http20Enabled": true, "http20ProxyFlag": 0, "minTlsVersion": "1.2", + "scmMinTlsVersion": "1.2", "ftpsState": "FtpsOnly", "preWarmedInstanceCount": + 0, "elasticWebAppScaleLimit": 0, "functionsRuntimeScaleMonitoringEnabled": false, + "minimumElasticInstanceCount": 0, "azureStorageAccounts": {}}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + Content-Length: + - '1372' + Content-Type: + - application/json + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","location":"West + US 2","properties":{"numberOfWorkers":1,"defaultDocuments":["Default.htm","Default.html","Default.asp","index.htm","index.html","iisstart.htm","default.aspx","index.php","hostingstart.html"],"netFrameworkVersion":"v4.0","phpVersion":"","pythonVersion":"","nodeVersion":"","powerShellVersion":"","linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":[],"requestTracingEnabled":false,"remoteDebuggingEnabled":false,"remoteDebuggingVersion":"VS2022","httpLoggingEnabled":false,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":35,"detailedErrorLoggingEnabled":false,"publishingUsername":"REDACTED","publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":"None","use32BitWorkerProcess":true,"webSocketsEnabled":false,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":"","managedPipelineMode":"Integrated","virtualApplications":[{"virtualPath":"/","physicalPath":"site\\wwwroot","preloadEnabled":false,"virtualDirectories":null}],"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":false,"customAppPoolIdentityTenantState":false,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":"LeastRequests","routingRules":[],"experiments":{"rampUpRules":[]},"limits":null,"autoHealEnabled":false,"autoHealRules":null,"tracingOptions":null,"vnetName":"","vnetRouteAllEnabled":false,"vnetPrivatePortsCount":0,"publicNetworkAccess":null,"siteAuthEnabled":false,"siteAuthSettings":{"enabled":null,"unauthenticatedClientAction":null,"tokenStoreEnabled":null,"allowedExternalRedirectUrls":null,"defaultProvider":null,"clientId":null,"clientSecret":null,"clientSecretSettingName":null,"clientSecretCertificateThumbprint":null,"issuer":null,"allowedAudiences":null,"additionalLoginParams":null,"isAadAutoProvisioned":false,"aadClaimsAuthorization":null,"googleClientId":null,"googleClientSecret":null,"googleClientSecretSettingName":null,"googleOAuthScopes":null,"facebookAppId":null,"facebookAppSecret":null,"facebookAppSecretSettingName":null,"facebookOAuthScopes":null,"gitHubClientId":null,"gitHubClientSecret":null,"gitHubClientSecretSettingName":null,"gitHubOAuthScopes":null,"twitterConsumerKey":null,"twitterConsumerSecret":null,"twitterConsumerSecretSettingName":null,"microsoftAccountClientId":null,"microsoftAccountClientSecret":null,"microsoftAccountClientSecretSettingName":null,"microsoftAccountOAuthScopes":null,"configVersion":null},"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":false,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":false,"http20Enabled":true,"minTlsVersion":"1.2","minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":"1.2","ftpsState":"FtpsOnly","preWarmedInstanceCount":0,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":false,"functionsRuntimeScaleMonitoringEnabled":false,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":{},"http20ProxyFlag":0,"sitePort":null,"antivirusScanEnabled":false,"storageType":"StorageVolume","sitePrivateLinkHostEnabled":false,"clusteringEnabled":false,"webJobsEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '4167' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:03:29 GMT + etag: + - 1DCC29055311C75 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/5f9db052-e38f-4ff4-b5c5-ea352243c969 + x-ms-ratelimit-remaining-subscription-global-writes: + - '11999' + x-ms-ratelimit-remaining-subscription-writes: + - '799' + x-msedge-ref: + - 'Ref A: 995C61EF9C634E94BB016358313B6BB0 Ref B: PNQ231110907036 Ref C: 2026-04-02T11:03:29Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.10"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:30","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8399' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:00 GMT + etag: + - 1DCC29056B42D00 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 97374BA8DE684B6280C8D4286B70F899 Ref B: PNQ231110908031 Ref C: 2026-04-02T11:04:00Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.10"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:30","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8399' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:01 GMT + etag: + - 1DCC29056B42D00 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: B174DF9A1C4349318C4F6822284FA70D Ref B: PNQ231110907042 Ref C: 2026-04-02T11:04:01Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - python/3.14.2 (Windows-11-10.0.26100-SP0) AZURECLI/2.85.0 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2023-12-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.10"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:30","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","vnetBackupRestoreEnabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8333' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:02 GMT + etag: + - 1DCC29056B42D00 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 24C8ACB9E4DF4777B2F16E97813E71D7 Ref B: PNQ231110906040 Ref C: 2026-04-02T11:04:02Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/basicPublishingCredentialsPolicies/scm?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/basicPublishingCredentialsPolicies/scm","name":"scm","type":"Microsoft.Web/sites/basicPublishingCredentialsPolicies","location":"West + US 2","properties":{"allow":false}}' + headers: + cache-control: + - no-cache + content-length: + - '327' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/5c776e48-4f58-441d-88f7-4dda850bf09e + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: A6A4954AC89C461D9A3420ABA7B04488 Ref B: PNQ231110909062 Ref C: 2026-04-02T11:04:03Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: !!binary | + UEsDBBQAAAAIACWEglxVlCRAEAAAAA4AAAAGAAAAYXBwLnB5KyjKzCvRUMpIzcnJV9IEAFBLAwQU + AAAACAAlhIJcuQ7HNgcAAAAFAAAAEAAAAHJlcXVpcmVtZW50cy50eHRLy0kszgYAUEsBAhQAFAAA + AAgAJYSCXFWUJEAQAAAADgAAAAYAAAAAAAAAAAAAALaBAAAAAGFwcC5weVBLAQIUABQAAAAIACWE + gly5Dsc2BwAAAAUAAAAQAAAAAAAAAAAAAAC2gTQAAAByZXF1aXJlbWVudHMudHh0UEsFBgAAAAAC + AAIAcgAAAGkAAAAAAA== + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate, zstd + Cache-Control: + - no-cache + Connection: + - keep-alive + Content-Length: + - '241' + Content-Type: + - application/octet-stream + User-Agent: + - AZURECLI/2.85.0 + x-ms-artifact-checksum: + - 6d8f85da5014f0ff11e8f451e1cef381395e0f09cb0a286178db40611ae8f41a + method: POST + uri: https://webapp-up-enr000002.scm.azurewebsites.net/api/zipdeploy?isAsync=true + response: + body: + string: Run-From-Zip is set to a remote URL using WEBSITE_RUN_FROM_PACKAGE or + WEBSITE_USE_ZIP app setting. Deployment is not supported in this configuration. + headers: + content-length: + - '149' + content-type: + - text/plain; charset=utf-8 + date: + - Thu, 02 Apr 2026 11:04:36 GMT + scm-deployment-id: + - 9ea32213-ed6e-44ff-8f66-6a07d1499cd2 + server: + - Kestrel + set-cookie: + - ARRAffinity=416922c30b8a7b81f9531becb2bbfa3868db03c581f8027c207a074a71798d9b;Path=/;HttpOnly;Secure;Domain=webapp-up-enr3vw55ky6qtwykkk6bl6b3njehvz.scm.azurewebsites.net + - ARRAffinitySameSite=416922c30b8a7b81f9531becb2bbfa3868db03c581f8027c207a074a71798d9b;Path=/;HttpOnly;SameSite=None;Secure;Domain=webapp-up-enr3vw55ky6qtwykkk6bl6b3njehvz.scm.azurewebsites.net + transfer-encoding: + - chunked + vary: + - Accept-Encoding + status: + code: 409 + message: Conflict +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002/config/web","name":"webapp-up-enr000002","type":"Microsoft.Web/sites/config","location":"West + US 2","properties":{"numberOfWorkers":1,"defaultDocuments":["Default.htm","Default.html","Default.asp","index.htm","index.html","iisstart.htm","default.aspx","index.php","hostingstart.html"],"netFrameworkVersion":"v4.0","phpVersion":"","pythonVersion":"","nodeVersion":"","powerShellVersion":"","linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":[],"requestTracingEnabled":false,"remoteDebuggingEnabled":false,"remoteDebuggingVersion":"VS2022","httpLoggingEnabled":false,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":35,"detailedErrorLoggingEnabled":false,"publishingUsername":"REDACTED","publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":"None","use32BitWorkerProcess":true,"webSocketsEnabled":false,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":"","managedPipelineMode":"Integrated","virtualApplications":[{"virtualPath":"/","physicalPath":"site\\wwwroot","preloadEnabled":false,"virtualDirectories":null}],"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":false,"customAppPoolIdentityTenantState":false,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":"LeastRequests","routingRules":[],"experiments":{"rampUpRules":[]},"limits":null,"autoHealEnabled":false,"autoHealRules":null,"tracingOptions":null,"vnetName":"","vnetRouteAllEnabled":false,"vnetPrivatePortsCount":0,"publicNetworkAccess":null,"siteAuthEnabled":false,"siteAuthSettings":{"enabled":null,"unauthenticatedClientAction":null,"tokenStoreEnabled":null,"allowedExternalRedirectUrls":null,"defaultProvider":null,"clientId":null,"clientSecret":null,"clientSecretSettingName":null,"clientSecretCertificateThumbprint":null,"issuer":null,"allowedAudiences":null,"additionalLoginParams":null,"isAadAutoProvisioned":false,"aadClaimsAuthorization":null,"googleClientId":null,"googleClientSecret":null,"googleClientSecretSettingName":null,"googleOAuthScopes":null,"facebookAppId":null,"facebookAppSecret":null,"facebookAppSecretSettingName":null,"facebookOAuthScopes":null,"gitHubClientId":null,"gitHubClientSecret":null,"gitHubClientSecretSettingName":null,"gitHubOAuthScopes":null,"twitterConsumerKey":null,"twitterConsumerSecret":null,"twitterConsumerSecretSettingName":null,"microsoftAccountClientId":null,"microsoftAccountClientSecret":null,"microsoftAccountClientSecretSettingName":null,"microsoftAccountOAuthScopes":null,"configVersion":null},"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":false,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":[{"ipAddress":"Any","action":"Allow","priority":2147483647,"name":"Allow + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":false,"http20Enabled":true,"minTlsVersion":"1.2","minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":"1.2","ftpsState":"FtpsOnly","preWarmedInstanceCount":0,"functionAppScaleLimit":null,"elasticWebAppScaleLimit":0,"healthCheckPath":null,"fileChangeAuditEnabled":false,"functionsRuntimeScaleMonitoringEnabled":false,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":{},"http20ProxyFlag":0,"sitePort":null,"antivirusScanEnabled":false,"storageType":"StorageVolume","sitePrivateLinkHostEnabled":false,"clusteringEnabled":false,"webJobsEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '4185' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:37 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-operation-identifier: + - tenantId=72f988bf-86f1-41af-91ab-2d7cd011db47,objectId=1ad78d6e-2ba6-4319-afd9-010403750d9a/westus2/79334216-a54a-4785-aaae-b21727756b87 + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 1C502E7710B74348A661F511DE51DCED Ref B: PNQ231110908031 Ref C: 2026-04-02T11:04:37Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/sites/webapp-up-enr000002","name":"webapp-up-enr000002","type":"Microsoft.Web/sites","kind":"app,linux","location":"West + US 2","properties":{"name":"webapp-up-enr000002","state":"Running","hostNames":["webapp-up-enr000002.azurewebsites.net"],"webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","selfLink":"https://waws-prod-mwh-029.api.azurewebsites.windows.net:455/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_webapp_up_enriched000001-WestUS2webspace-Linux/sites/webapp-up-enr000002","repositorySiteName":"webapp-up-enr000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"siteScopedCertificatesEnabled":false,"afdEnabled":false,"enabledHostNames":["webapp-up-enr000002.azurewebsites.net","webapp-up-enr000002.scm.azurewebsites.net"],"siteProperties":{"metadata":null,"properties":[{"name":"LinuxFxVersion","value":"PYTHON|3.10"},{"name":"WindowsFxVersion","value":null}],"appSettings":null},"availabilityState":"Normal","sslCertificates":null,"csrs":[],"cers":null,"siteMode":null,"hostNameSslStates":[{"name":"webapp-up-enr000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-up-enr000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"virtualIPv6":null,"thumbprint":null,"certificateResourceId":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"hostNamePrivateStates":[],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","reserved":true,"isXenon":false,"hyperV":false,"sandboxType":null,"lastModifiedTimeUtc":"2026-04-02T11:03:30","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"outboundVnetRouting":{"allTraffic":false,"applicationTraffic":false,"contentShareTraffic":false,"imagePullTraffic":false,"backupRestoreTraffic":false,"managedIdentityTraffic":false},"legacyServiceEndpointTrafficEvaluation":null,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"PYTHON|3.10","windowsFxVersion":null,"sandboxType":null,"windowsConfiguredStacks":null,"requestTracingEnabled":null,"remoteDebuggingEnabled":null,"remoteDebuggingVersion":null,"httpLoggingEnabled":null,"azureMonitorLogCategories":null,"acrUseManagedIdentityCreds":false,"acrUserManagedIdentityID":null,"logsDirectorySizeLimit":null,"detailedErrorLoggingEnabled":null,"publishingUsername":null,"publishingPassword":null,"appSettings":null,"metadata":null,"connectionStrings":null,"machineKey":null,"handlerMappings":null,"documentRoot":null,"scmType":null,"use32BitWorkerProcess":null,"webSocketsEnabled":null,"alwaysOn":false,"javaVersion":null,"javaContainer":null,"javaContainerVersion":null,"appCommandLine":null,"managedPipelineMode":null,"virtualApplications":null,"winAuthAdminState":null,"winAuthTenantState":null,"customAppPoolIdentityAdminState":null,"customAppPoolIdentityTenantState":null,"runtimeADUser":null,"runtimeADUserPassword":null,"loadBalancing":null,"routingRules":null,"experiments":null,"limits":null,"autoHealEnabled":null,"autoHealRules":null,"tracingOptions":null,"vnetName":null,"vnetRouteAllEnabled":null,"vnetPrivatePortsCount":null,"publicNetworkAccess":null,"cors":null,"push":null,"apiDefinition":null,"apiManagementConfig":null,"autoSwapSlotName":null,"localMySqlEnabled":null,"managedServiceIdentityId":null,"xManagedServiceIdentityId":null,"keyVaultReferenceIdentity":null,"ipSecurityRestrictions":null,"ipSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictions":null,"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":true,"minTlsVersion":null,"minTlsCipherSuite":null,"scmMinTlsCipherSuite":null,"supportedTlsCipherSuites":null,"scmSupportedTlsCipherSuites":null,"scmMinTlsVersion":null,"ftpsState":null,"preWarmedInstanceCount":null,"functionAppScaleLimit":0,"elasticWebAppScaleLimit":null,"healthCheckPath":null,"fileChangeAuditEnabled":null,"functionsRuntimeScaleMonitoringEnabled":null,"websiteTimeZone":null,"minimumElasticInstanceCount":1,"azureStorageAccounts":null,"http20ProxyFlag":null,"sitePort":null,"antivirusScanEnabled":null,"storageType":null,"sitePrivateLinkHostEnabled":null,"clusteringEnabled":false,"webJobsEnabled":false},"functionAppConfig":null,"daprConfig":null,"aiIntegration":null,"deploymentId":"webapp-up-enr000002","slotName":null,"trafficManagerHostNames":null,"sku":"Basic","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientAffinityProxyEnabled":false,"useQueryStringAffinity":false,"blockPathTraversal":false,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"clientCertExclusionEndPoints":null,"hostNamesDisabled":false,"ipMode":"IPv4","domainVerificationIdentifiers":null,"customDomainVerificationId":"9003D52A1669142369904BDE838AA5B0C83B7C2585C544506C3A1CAEE64E1F18","kind":"app,linux","managedEnvironmentId":null,"workloadProfileName":null,"resourceConfig":null,"inboundIpAddress":"13.77.182.13","possibleInboundIpAddresses":"13.77.182.13","inboundIpv6Address":"2603:1030:c06:6::15","possibleInboundIpv6Addresses":"2603:1030:c06:6::15","ftpUsername":"webapp-up-enr000002\\$webapp-up-enr000002","ftpsHostName":"ftps://waws-prod-mwh-029.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,13.77.182.13","possibleOutboundIpAddresses":"13.77.161.10,52.183.26.12,52.175.235.45,13.77.178.124,52.183.34.217,13.66.206.87,13.77.172.226,52.183.34.132,13.77.180.8,20.112.59.90,20.112.61.147,20.112.63.92,20.112.63.133,20.112.63.173,20.112.63.193,20.99.138.182,20.99.199.228,20.112.58.245,20.112.59.161,20.120.136.0,20.120.136.18,13.77.182.13","outboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","possibleOutboundIpv6Addresses":"2603:1030:c02:8::380,2603:1030:c02:8::3ba,2603:1030:c04:3::5a0,2603:1030:c02:8::3c3,2603:1030:c02:8::3db,2603:1030:c04:3::5ad,2603:1030:c04:3::5af,2603:1030:c02:8::3de,2603:1030:c02:8::439,2603:1030:c02:8::4bd,2603:1030:c02:8::4c0,2603:1030:c02:8::4cb,2603:1030:c04:3::1a,2603:1030:c04:3::5a2,2603:1030:c02:8::4d1,2603:1030:c02:8::4db,2603:1030:c04:3::5a3,2603:1030:c04:3::5b0,2603:1030:c04:3::5b1,2603:1030:c02:8::4ec,2603:1030:c04:3::5b2,2603:1030:c06:6::15,2603:10e1:100:2::d4d:b60d,2603:1030:c06:6::36,2603:10e1:100:2::1473:f717","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-mwh-029","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_webapp_up_enriched000001","defaultHostName":"webapp-up-enr000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":true,"endToEndEncryptionEnabled":false,"functionsRuntimeAdminIsolationEnabled":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":[],"publicNetworkAccess":"Enabled","buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServicePlatformLogs,ScanLogs,AppServiceAuthenticationLogs,AppServiceAuditLogs,AppServiceIPSecAuditLogs","inFlightFeatures":["SiteContainers"],"storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","autoGeneratedDomainNameLabelScope":null,"privateLinkIdentifiers":null,"sshEnabled":null,"maintenanceEnabled":false}}' + headers: + cache-control: + - no-cache + content-length: + - '8399' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:37 GMT + etag: + - 1DCC29056B42D00 + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 96AB155A08794C79A16DF96E4C750347 Ref B: PNQ231110907023 Ref C: 2026-04-02T11:04:38Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate, zstd + CommandName: + - webapp up + Connection: + - keep-alive + ParameterSetName: + - -n -g --enriched-errors + User-Agent: + - AZURECLI/2.85.0 azsdk-python-core/1.39.0 Python/3.14.2 (Windows-11-10.0.26100-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003?api-version=2024-11-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_webapp_up_enriched000001/providers/Microsoft.Web/serverfarms/webapp-up-enr-plan000003","name":"webapp-up-enr-plan000003","type":"Microsoft.Web/serverfarms","kind":"linux","location":"West + US 2","properties":{"serverFarmId":62830,"name":"webapp-up-enr-plan000003","workerSize":"Small","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Small","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_webapp_up_enriched000001-WestUS2webspace-Linux","subscription":"f038b7c6-2251-4fa7-9ad3-3819e65dbb0f","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":3,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US 2","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":1,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"linux","resourceGroup":"cli_test_webapp_up_enriched000001","reserved":true,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-mwh-029_62830","targetWorkerCount":0,"targetWorkerSizeId":0,"targetWorkerSku":"","provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false,"maximumNumberOfZones":1,"currentNumberOfZonesUtilized":1,"migrateToVMSS":null,"vnetConnectionsUsed":0,"vnetConnectionsMax":2,"createdTime":"2026-04-02T11:02:26.05","asyncScalingEnabled":false,"isCustomMode":false,"powerState":"Running","eligibleLogCategories":""},"sku":{"name":"B1","tier":"Basic","size":"B1","family":"B","capacity":1}}' + headers: + cache-control: + - no-cache + content-length: + - '1773' + content-type: + - application/json + date: + - Thu, 02 Apr 2026 11:04:38 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-global-reads: + - '16499' + x-msedge-ref: + - 'Ref A: 968E5B90BAFC44B2800C184B7363D0E5 Ref B: PNQ231110909040 Ref C: 2026-04-02T11:04:39Z' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +version: 1 diff --git a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_deployment_context_engine.py b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_deployment_context_engine.py new file mode 100644 index 00000000000..60791a0b68c --- /dev/null +++ b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_deployment_context_engine.py @@ -0,0 +1,603 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +""" +Unit tests for the deployment context engineering feature: + - _deployment_failure_patterns.py (pattern matching based on KuduLite error codes) + - _deployment_context_engine.py (context building & formatting) +""" + +import unittest +from unittest.mock import MagicMock, patch + +from azure.cli.command_modules.appservice._deployment_failure_patterns import ( + DEPLOYMENT_FAILURE_PATTERNS, + get_failure_pattern, + match_failure_pattern, +) +from azure.cli.command_modules.appservice._deployment_context_engine import ( + build_enriched_error_context, + format_enriched_error_message, + raise_enriched_deployment_error, + extract_status_code_from_message, + EnrichedDeploymentError, + _determine_deployment_type, +) + + +def _make_mock_params(**overrides): + """Create a minimal mock OneDeployParams object.""" + params = MagicMock() + params.cmd = MagicMock() + params.cmd.cli_ctx = MagicMock() + params.resource_group_name = overrides.get("resource_group_name", "test-rg") + params.webapp_name = overrides.get("webapp_name", "test-app") + params.slot = overrides.get("slot", None) + params.src_url = overrides.get("src_url", None) + params.src_path = overrides.get("src_path", "app.zip") + params.artifact_type = overrides.get("artifact_type", "zip") + params.is_async_deployment = overrides.get("is_async_deployment", None) + params.timeout = overrides.get("timeout", None) + params.track_status = overrides.get("track_status", True) + params.enable_kudu_warmup = overrides.get("enable_kudu_warmup", True) + params.is_linux_webapp = overrides.get("is_linux_webapp", True) + params.is_functionapp = overrides.get("is_functionapp", False) + return params + + +# --------------------------------------------------------------------------- +# Tests for _deployment_failure_patterns +# --------------------------------------------------------------------------- +class TestDeploymentFailurePatterns(unittest.TestCase): + """Tests for the KuduLite failure pattern definitions and lookup functions.""" + + def test_all_patterns_have_required_keys(self): + required_keys = {"errorCode", "stage", "suggestedFixes"} + for pattern in DEPLOYMENT_FAILURE_PATTERNS: + with self.subTest(errorCode=pattern["errorCode"]): + self.assertTrue(required_keys.issubset(pattern.keys())) + self.assertIsInstance(pattern["suggestedFixes"], list) + self.assertGreater(len(pattern["suggestedFixes"]), 0) + + def test_no_pattern_has_common_causes(self): + """Design review: commonCauses should not be present in any pattern.""" + for pattern in DEPLOYMENT_FAILURE_PATTERNS: + with self.subTest(errorCode=pattern["errorCode"]): + self.assertNotIn("commonCauses", pattern) + + def test_pattern_count(self): + self.assertEqual(len(DEPLOYMENT_FAILURE_PATTERNS), 37) + + def test_get_failure_pattern_found(self): + pattern = get_failure_pattern("DeploymentInProgress") + self.assertIsNotNone(pattern) + self.assertEqual(pattern["errorCode"], "DeploymentInProgress") + self.assertEqual(pattern["stage"], "Deployment") + + def test_get_failure_pattern_not_found(self): + self.assertIsNone(get_failure_pattern("NonExistentCode")) + + # --- match_failure_pattern: 400 Bad Request patterns --- + def test_match_400_generic(self): + p = match_failure_pattern(status_code=400, error_message="Deployment Failed. something broke") + self.assertEqual(p["errorCode"], "DeploymentFailed") + + def test_match_400_invalid_type(self): + p = match_failure_pattern(status_code=400, error_message="type='foo' not recognized") + self.assertEqual(p["errorCode"], "InvalidArtifactType") + + def test_match_400_artifact_stack_mismatch(self): + p = match_failure_pattern(status_code=400, + error_message="Artifact type = 'war' cannot be deployed to stack = 'NODE'") + self.assertEqual(p["errorCode"], "ArtifactStackMismatch") + + def test_match_400_missing_path(self): + p = match_failure_pattern(status_code=400, error_message="Path must be defined for type='lib'") + self.assertEqual(p["errorCode"], "MissingDeployPath") + + def test_match_400_invalid_path_trailing_slash(self): + p = match_failure_pattern(status_code=400, error_message="Path cannot end with a '/'") + self.assertEqual(p["errorCode"], "InvalidDeployPath") + + def test_match_400_invalid_path_traversal(self): + p = match_failure_pattern(status_code=400, + error_message="Path cannot contain '..' Please provide an absolute path.") + self.assertEqual(p["errorCode"], "InvalidDeployPath") + + def test_match_400_invalid_package_uri(self): + p = match_failure_pattern(status_code=400, + error_message="Invalid packageUrl in the JSON request") + self.assertEqual(p["errorCode"], "InvalidPackageUri") + + def test_match_400_clean_deploy_forbidden(self): + p = match_failure_pattern(status_code=400, + error_message="Clean deployments cannot be performed in the requested directory") + self.assertEqual(p["errorCode"], "CleanDeployForbidden") + + def test_match_400_no_file_uploaded(self): + p = match_failure_pattern(status_code=400, error_message="No file uploaded") + self.assertEqual(p["errorCode"], "NoFileUploaded") + + def test_match_400_only_zip_supported(self): + p = match_failure_pattern(status_code=400, error_message="Only .zip files are supported") + self.assertEqual(p["errorCode"], "UnsupportedFileType") + + def test_match_400_invalid_deployment_id(self): + p = match_failure_pattern(status_code=400, error_message="Invalid deployment ID format") + self.assertEqual(p["errorCode"], "InvalidDeploymentId") + + def test_match_400_unsupported_artifact_type(self): + p = match_failure_pattern(status_code=400, error_message="Artifact type 'foo' not supported") + self.assertEqual(p["errorCode"], "UnsupportedArtifactType") + + # --- match_failure_pattern: 400 ZipDeploy validation --- + def test_match_400_zipdeploy_malformed(self): + p = match_failure_pattern(status_code=400, + error_message="ZipDeploy Validation ERROR: Package URI is Malformed.") + self.assertEqual(p["errorCode"], "ZipDeployMalformedUri") + + def test_match_400_zipdeploy_inaccessible(self): + p = match_failure_pattern(status_code=400, + error_message="ZipDeploy Validation ERROR: Package URI is inaccessible") + self.assertEqual(p["errorCode"], "ZipDeployUriInaccessible") + + def test_match_400_zipdeploy_disk_space(self): + p = match_failure_pattern(status_code=400, + error_message="ZipDeploy Validation ERROR: Package size = 500 MB. Free disk space = 100 MB") + self.assertEqual(p["errorCode"], "ZipDeployInsufficientDisk") + + def test_match_400_zipdeploy_runtime_mismatch(self): + p = match_failure_pattern(status_code=400, + error_message="ZipDeploy Validation ERROR: Cannot deploy python zip package to node Azure Functions app") + self.assertEqual(p["errorCode"], "ZipDeployRuntimeMismatch") + + def test_match_400_zipdeploy_run_from_package(self): + p = match_failure_pattern(status_code=400, + error_message="ZipDeploy Validation ERROR: App setting WEBSITE_RUN_FROM_PACKAGE is set to a remote URL") + self.assertEqual(p["errorCode"], "ZipDeployRunFromPackageConflict") + + # --- match_failure_pattern: 403 Forbidden --- + def test_match_403_scm_disabled(self): + p = match_failure_pattern(status_code=403) + self.assertEqual(p["errorCode"], "ScmDisabled") + + # --- match_failure_pattern: 404 Not Found --- + def test_match_404_repository_not_found(self): + p = match_failure_pattern(status_code=404, + error_message="Repository could not be found.") + self.assertEqual(p["errorCode"], "RepositoryNotFound") + + def test_match_404_deployment_not_found(self): + p = match_failure_pattern(status_code=404, + error_message="Deployment 'abc123' not found.") + self.assertEqual(p["errorCode"], "DeploymentNotFound") + + def test_match_404_log_not_found(self): + p = match_failure_pattern(status_code=404, + error_message="LogId 'log1' was not found in Deployment 'abc123'.") + self.assertEqual(p["errorCode"], "LogNotFound") + + def test_match_404_no_deployments(self): + p = match_failure_pattern(status_code=404, + error_message="Need to deploy website to get deployment script.") + self.assertEqual(p["errorCode"], "NoDeploymentsExist") + + def test_match_404_custom_deploy_script(self): + p = match_failure_pattern(status_code=404, + error_message="Operation only supported if not using a custom deployment script") + self.assertEqual(p["errorCode"], "CustomDeployScriptInUse") + + def test_match_404_quickdeploy_disabled(self): + p = match_failure_pattern(status_code=404, + error_message="QuickDeploy feature is disabled") + self.assertEqual(p["errorCode"], "QuickDeployDisabled") + + def test_match_404_generic(self): + p = match_failure_pattern(status_code=404, error_message="some unknown 404") + self.assertEqual(p["errorCode"], "DeploymentNotFound") + + # --- match_failure_pattern: 409 Conflict --- + def test_match_409_auto_swap(self): + p = match_failure_pattern(status_code=409, + error_message="There is an auto swap deployment currently ongoing") + self.assertEqual(p["errorCode"], "AutoSwapInProgress") + + def test_match_409_deployment_in_progress(self): + p = match_failure_pattern(status_code=409, + error_message="There is a deployment currently in progress") + self.assertEqual(p["errorCode"], "DeploymentInProgress") + + def test_match_409_run_from_zip(self): + p = match_failure_pattern(status_code=409, + error_message="Run-From-Zip is set to a remote URL using WEBSITE_RUN_FROM_PACKAGE") + self.assertEqual(p["errorCode"], "RunFromRemoteZipConfigured") + + def test_match_409_deployment_id_exists(self): + p = match_failure_pattern(status_code=409, + error_message="Deployment with id 'abc123' exists") + self.assertEqual(p["errorCode"], "DeploymentIdExists") + + def test_match_409_lock_failed(self): + p = match_failure_pattern(status_code=409, + error_message="Failed to acquire deployment lock. Another deployment may be in progress.") + self.assertEqual(p["errorCode"], "DeploymentLockFailed") + + def test_match_409_generic(self): + p = match_failure_pattern(status_code=409, error_message="some conflict") + self.assertEqual(p["errorCode"], "DeploymentInProgress") + + # --- match_failure_pattern: 499 Client Closed --- + def test_match_499_client_disconnected(self): + p = match_failure_pattern(status_code=499, + error_message="Request was Aborted. Deployment was cancelled") + self.assertEqual(p["errorCode"], "ClientDisconnected") + + # --- match_failure_pattern: 500 Internal Server Error --- + def test_match_500_generic(self): + p = match_failure_pattern(status_code=500, error_message="Unhandled exception") + self.assertEqual(p["errorCode"], "InternalDeploymentError") + + def test_match_500_empty_branch(self): + p = match_failure_pattern(status_code=500, + error_message="The current deployment branch is 'main', but nothing has been pushed to it") + self.assertEqual(p["errorCode"], "EmptyBranch") + + # --- match_failure_pattern: Kudu DeployStatus --- + def test_match_deploy_status_failed(self): + p = match_failure_pattern(deployment_status="Failed", + error_message="some error during deploy") + self.assertEqual(p["errorCode"], "KuduDeployFailed") + + def test_match_deploy_status_failed_build(self): + p = match_failure_pattern(deployment_status="Failed", + error_message="build failed: missing requirements.txt") + self.assertEqual(p["errorCode"], "KuduBuildFailed") + + def test_match_deploy_status_building(self): + p = match_failure_pattern(deployment_status="Building", + error_message="error during Oryx build") + self.assertEqual(p["errorCode"], "KuduBuildFailed") + + # --- match_failure_pattern: message-based fallback --- + def test_match_message_aborted(self): + p = match_failure_pattern(error_message="Request was Aborted. Deployment was cancelled") + self.assertEqual(p["errorCode"], "ClientDisconnected") + + def test_match_message_auto_swap(self): + p = match_failure_pattern(error_message="auto swap deployment ongoing") + self.assertEqual(p["errorCode"], "AutoSwapInProgress") + + def test_match_message_in_progress(self): + p = match_failure_pattern(error_message="There is a deployment currently in progress") + self.assertEqual(p["errorCode"], "DeploymentInProgress") + + def test_match_no_match(self): + p = match_failure_pattern(status_code=200, error_message="all good") + self.assertIsNone(p) + + +# --------------------------------------------------------------------------- +# Tests for _deployment_context_engine +# --------------------------------------------------------------------------- +class TestDeploymentContextEngine(unittest.TestCase): + """Tests for the context builder and formatter.""" + + def _patch_app_metadata(self): + """Patch the metadata fetching functions to avoid real API calls.""" + patcher_runtime = patch( + "azure.cli.command_modules.appservice._deployment_context_engine._get_app_runtime", + return_value="PYTHON|3.11" + ) + patcher_region_sku = patch( + "azure.cli.command_modules.appservice._deployment_context_engine._get_app_region_and_plan_sku", + return_value=("Central India", "B1") + ) + self.mock_runtime = patcher_runtime.start() + self.mock_region_sku = patcher_region_sku.start() + self.addCleanup(patcher_runtime.stop) + self.addCleanup(patcher_region_sku.stop) + + def test_determine_deployment_type_zip(self): + params = _make_mock_params(artifact_type="zip", src_url=None) + self.assertEqual(_determine_deployment_type(params), "ZipDeploy") + + def test_determine_deployment_type_url(self): + params = _make_mock_params(src_url="https://example.com/app.zip") + self.assertEqual(_determine_deployment_type(params), "OneDeploy (URL-based)") + + def test_determine_deployment_type_war(self): + params = _make_mock_params(artifact_type="war", src_url=None) + self.assertEqual(_determine_deployment_type(params), "WarDeploy") + + def test_determine_deployment_type_kwargs_zip(self): + """kwargs-only calling convention (no params object).""" + self.assertEqual(_determine_deployment_type(artifact_type="zip"), "ZipDeploy") + + def test_determine_deployment_type_kwargs_url(self): + self.assertEqual( + _determine_deployment_type(src_url="https://example.com/app.zip"), + "OneDeploy (URL-based)" + ) + + def test_determine_deployment_type_kwargs_override(self): + """Explicit kwargs should override params values.""" + params = _make_mock_params(artifact_type="war", src_url=None) + self.assertEqual( + _determine_deployment_type(params, artifact_type="jar"), + "JarDeploy" + ) + + def test_build_context_with_known_pattern(self): + self._patch_app_metadata() + params = _make_mock_params() + ctx = build_enriched_error_context( + params, status_code=409, + error_message="There is a deployment currently in progress. Please try again." + ) + self.assertEqual(ctx["errorCode"], "DeploymentInProgress") + self.assertEqual(ctx["stage"], "Deployment") + self.assertEqual(ctx["runtime"], "PYTHON|3.11") + self.assertEqual(ctx["region"], "Central India") + self.assertEqual(ctx["planSku"], "B1") + self.assertEqual(ctx["deploymentType"], "ZipDeploy") + self.assertNotIn("commonCauses", ctx) + self.assertIn("suggestedFixes", ctx) + + def test_build_context_with_unknown_error(self): + self._patch_app_metadata() + params = _make_mock_params() + ctx = build_enriched_error_context( + params, status_code=599, error_message="Something weird" + ) + self.assertEqual(ctx["errorCode"], "HTTP_599") + self.assertIn("rawError", ctx) + self.assertNotIn("commonCauses", ctx) + + def test_build_context_with_deployment_properties(self): + self._patch_app_metadata() + params = _make_mock_params() + props = { + "numberOfInstancesInProgress": "1", + "numberOfInstancesSuccessful": "0", + "numberOfInstancesFailed": "2", + "errors": [{"extendedCode": "EXT001", "message": "Deploy error"}], + "failedInstancesLogs": ["https://logs.example.com/log1"] + } + ctx = build_enriched_error_context( + params, deployment_status="Failed", + error_message="Deploy error", deployment_properties=props + ) + self.assertEqual(ctx["errorCode"], "KuduDeployFailed") + self.assertIn("instanceStatus", ctx) + self.assertEqual(ctx["instanceStatus"]["numberOfInstancesFailed"], 2) + self.assertIn("deploymentErrors", ctx) + self.assertEqual(ctx["failedInstanceLogs"], "https://logs.example.com/log1") + + def test_build_context_includes_last_known_step(self): + self._patch_app_metadata() + params = _make_mock_params() + ctx = build_enriched_error_context( + params, status_code=409, last_known_step="ZipExtract started", + error_message="There is a deployment currently in progress." + ) + self.assertEqual(ctx["lastKnownStep"], "ZipExtract started") + + def test_build_context_includes_kudu_status(self): + self._patch_app_metadata() + params = _make_mock_params() + ctx = build_enriched_error_context( + params, status_code=500, kudu_status="500", + error_message="Internal error" + ) + self.assertEqual(ctx["kuduStatus"], "500") + + def test_format_error_message_contains_key_sections(self): + self._patch_app_metadata() + params = _make_mock_params() + ctx = build_enriched_error_context( + params, status_code=409, + error_message="There is a deployment currently in progress." + ) + msg = format_enriched_error_message(ctx) + + self.assertIn("DEPLOYMENT FAILED", msg) + self.assertIn("DeploymentInProgress", msg) + self.assertIn("Deployment", msg) + self.assertNotIn("Common Causes:", msg) + self.assertIn("Suggested Fixes:", msg) + self.assertIn("Ask Copilot:", msg) + self.assertIn("gh copilot explain", msg) + # Should NOT have duplicate YAML block + self.assertNotIn("--- COPILOT CONTEXT ---", msg) + self.assertNotIn("--- END CONTEXT ---", msg) + + def test_raise_enriched_deployment_error(self): + self._patch_app_metadata() + params = _make_mock_params() + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + params, status_code=409, + error_message="There is a deployment currently in progress." + ) + self.assertIn("DeploymentInProgress", str(cm.exception)) + self.assertIn("DEPLOYMENT FAILED", str(cm.exception)) + + def test_raise_enriched_deployment_error_kwargs_only(self): + """Call raise_enriched_deployment_error with kwargs instead of params.""" + self._patch_app_metadata() + mock_cmd = MagicMock() + mock_cmd.cli_ctx = MagicMock() + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + cmd=mock_cmd, + resource_group_name="test-rg", + webapp_name="test-app", + artifact_type="zip", + status_code=400, + error_message="Artifact type = 'war' cannot be deployed to stack = 'NODE'" + ) + self.assertIn("ArtifactStackMismatch", str(cm.exception)) + self.assertIn("DEPLOYMENT FAILED", str(cm.exception)) + self.assertIn("ZipDeploy", str(cm.exception)) + + def test_build_context_kwargs_only(self): + """Call build_enriched_error_context with kwargs instead of params.""" + self._patch_app_metadata() + mock_cmd = MagicMock() + mock_cmd.cli_ctx = MagicMock() + ctx = build_enriched_error_context( + cmd=mock_cmd, + resource_group_name="test-rg", + webapp_name="test-app", + artifact_type="zip", + status_code=409, + error_message="There is a deployment currently in progress." + ) + self.assertEqual(ctx["errorCode"], "DeploymentInProgress") + self.assertEqual(ctx["deploymentType"], "ZipDeploy") + + +# --------------------------------------------------------------------------- +# Integration-level test: verify the full error flow +# --------------------------------------------------------------------------- +class TestDeploymentErrorFlow(unittest.TestCase): + """End-to-end tests simulating real Kudu deployment failures.""" + + def _patch_app_metadata(self): + patcher_runtime = patch( + "azure.cli.command_modules.appservice._deployment_context_engine._get_app_runtime", + return_value="NODE|18" + ) + patcher_region_sku = patch( + "azure.cli.command_modules.appservice._deployment_context_engine._get_app_region_and_plan_sku", + return_value=("East US", "P1V2") + ) + self.mock_runtime = patcher_runtime.start() + self.mock_region_sku = patcher_region_sku.start() + self.addCleanup(patcher_runtime.stop) + self.addCleanup(patcher_region_sku.stop) + + def test_conflict_deployment_in_progress(self): + """Simulate a 409 Conflict — deployment lock held.""" + self._patch_app_metadata() + params = _make_mock_params(artifact_type="zip") + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + params, status_code=409, + error_message="There is a deployment currently in progress. Please try again when it completes.", + kudu_status="409" + ) + error_msg = str(cm.exception) + self.assertIn("DeploymentInProgress", error_msg) + self.assertIn("NODE|18", error_msg) + self.assertIn("P1V2", error_msg) + self.assertIn("Wait for the current deployment to complete", error_msg) + + def test_build_failed_scenario(self): + """Simulate a Kudu build failure (DeployStatus=Failed with build error).""" + self._patch_app_metadata() + params = _make_mock_params() + props = { + "errors": [{"extendedCode": "BUILD_001", + "message": "build failed: missing requirements.txt"}], + "failedInstancesLogs": [] + } + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + params, deployment_status="Failed", + error_message="build failed: missing requirements.txt", + deployment_properties=props + ) + error_msg = str(cm.exception) + self.assertIn("KuduBuildFailed", error_msg) + self.assertIn("Building", error_msg) + + def test_zipdeploy_validation_disk_space(self): + """Simulate a ZipDeploy validation failure — insufficient disk space.""" + self._patch_app_metadata() + params = _make_mock_params() + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + params, status_code=400, + error_message="ZipDeploy Validation ERROR: Package size = 500 MB. Free disk space = 100 MB. The package will not fit." + ) + error_msg = str(cm.exception) + self.assertIn("ZipDeployInsufficientDisk", error_msg) + self.assertIn("Reduce the deployment package size", error_msg) + + def test_auto_swap_conflict(self): + """Simulate a 409 auto swap in progress.""" + self._patch_app_metadata() + params = _make_mock_params() + with self.assertRaises(EnrichedDeploymentError) as cm: + raise_enriched_deployment_error( + params, status_code=409, + error_message="There is an auto swap deployment currently ongoing please try again when it completes." + ) + error_msg = str(cm.exception) + self.assertIn("AutoSwapInProgress", error_msg) + self.assertIn("Wait for the auto swap operation to complete", error_msg) + + +# --------------------------------------------------------------------------- +# Tests for extract_status_code_from_message +# --------------------------------------------------------------------------- +class TestExtractStatusCode(unittest.TestCase): + """Tests for the status code extraction helper.""" + + # --- True positives: should extract the correct status code --- + def test_status_code_colon_format(self): + self.assertEqual(extract_status_code_from_message("Status Code: 400, Details: ..."), 400) + + def test_status_code_no_space(self): + self.assertEqual(extract_status_code_from_message("StatusCode:504"), 504) + + def test_parenthesized_format(self): + self.assertEqual(extract_status_code_from_message("Bad Request(400)"), 400) + + def test_http_prefix(self): + self.assertEqual(extract_status_code_from_message("HTTP 504 Gateway Timeout"), 504) + + def test_code_with_reason_phrase(self): + self.assertEqual(extract_status_code_from_message("400 Bad Request"), 400) + + def test_403_forbidden(self): + self.assertEqual(extract_status_code_from_message("403 Forbidden"), 403) + + def test_500_internal(self): + self.assertEqual(extract_status_code_from_message("500 Internal Server Error"), 500) + + def test_429_too_many(self): + self.assertEqual(extract_status_code_from_message("429 Too Many Requests"), 429) + + # --- False positives: should NOT extract a status code --- + def test_port_number_443(self): + self.assertIsNone(extract_status_code_from_message("Connected on port 443")) + + def test_exit_code_500(self): + self.assertIsNone(extract_status_code_from_message("deployed 500 files successfully")) + + def test_timeout_milliseconds(self): + self.assertIsNone(extract_status_code_from_message("timeout after 500 ms")) + + def test_app_name_with_numbers(self): + self.assertIsNone(extract_status_code_from_message("app-400-test failed to deploy")) + + def test_empty_message(self): + self.assertIsNone(extract_status_code_from_message("")) + + def test_none_message(self): + self.assertIsNone(extract_status_code_from_message(None)) + + def test_no_status_code(self): + self.assertIsNone(extract_status_code_from_message("something went wrong")) + + # --- Edge case: 200-range should NOT be extracted --- + def test_200_not_extracted(self): + self.assertIsNone(extract_status_code_from_message("Status Code: 200")) + + +if __name__ == '__main__': + unittest.main() diff --git a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_webapp_commands.py b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_webapp_commands.py index 5c902f8d6e7..9be1ff52563 100644 --- a/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_webapp_commands.py +++ b/src/azure-cli/azure/cli/command_modules/appservice/tests/latest/test_webapp_commands.py @@ -3561,5 +3561,70 @@ def test_webapp_dnl(self, resource_group): self.assertTrue(len(hash_part) == 16 and hash_part.islower(), "Hash is not 16 chars or not lowercase.") self.assertIn('-', region, "Region part does not have '-' separator.") + +class WebappEnrichedErrorsScenarioTest(ScenarioTest): + """Scenario tests for --enriched-errors flag on az webapp deploy and az webapp up.""" + + @AllowLargeResponse() + @ResourceGroupPreparer(name_prefix='cli_test_webapp_enriched_errors', location='westus2') + def test_webapp_deploy_enriched_errors_artifact_mismatch(self, resource_group): + """Deploy a .war to a Python app with --enriched-errors true — should get ArtifactStackMismatch.""" + from azure.cli.command_modules.appservice._deployment_context_engine import EnrichedDeploymentError + webapp_name = self.create_random_name('webapp-enriched-test', 40) + plan_name = self.create_random_name('webapp-enriched-plan', 40) + war_file = os.path.join(TEST_DIR, 'data', 'sample.war') + self.cmd( + 'appservice plan create -g {} -n {} --sku F1 --is-linux'.format(resource_group, plan_name)) + self.cmd( + 'webapp create -g {} -n {} --plan {} -r "PYTHON|3.11"'.format(resource_group, webapp_name, plan_name)) + with self.assertRaises(EnrichedDeploymentError) as cm: + self.cmd('webapp deploy -g {} -n {} --src-path "{}" --type war --enriched-errors true'.format( + resource_group, webapp_name, war_file)) + self.assertIn('ArtifactStackMismatch', str(cm.exception)) + + @AllowLargeResponse() + @ResourceGroupPreparer(name_prefix='cli_test_webapp_enriched_errors', location='westus2') + def test_webapp_deploy_without_enriched_errors(self, resource_group): + """Deploy a .war to a Python app without --enriched-errors — should get original CLIError.""" + webapp_name = self.create_random_name('webapp-enriched-test', 40) + plan_name = self.create_random_name('webapp-enriched-plan', 40) + war_file = os.path.join(TEST_DIR, 'data', 'sample.war') + self.cmd( + 'appservice plan create -g {} -n {} --sku B1 --is-linux'.format(resource_group, plan_name)) + self.cmd( + 'webapp create -g {} -n {} --plan {} -r "PYTHON|3.11"'.format(resource_group, webapp_name, plan_name)) + with self.assertRaisesRegex(CLIError, "Status Code: 400"): + self.cmd('webapp deploy -g {} -n {} --src-path "{}" --type war'.format( + resource_group, webapp_name, war_file)) + + @AllowLargeResponse() + @ResourceGroupPreparer(name_prefix='cli_test_webapp_up_enriched', location='westus2') + def test_webapp_up_enriched_errors_flag_accepted(self, resource_group): + """Verify --enriched-errors flag is accepted by az webapp up with 409 conflict.""" + from azure.cli.command_modules.appservice._deployment_context_engine import EnrichedDeploymentError + webapp_name = self.create_random_name('webapp-up-enr', 40) + plan_name = self.create_random_name('webapp-up-enr-plan', 40) + self.cmd( + 'appservice plan create -g {} -n {} --sku B1 --is-linux'.format(resource_group, plan_name)) + self.cmd( + 'webapp create -g {} -n {} --plan {} -r "PYTHON|3.11"'.format(resource_group, webapp_name, plan_name)) + self.cmd('webapp config appsettings set -g {} -n {} --settings ' + 'WEBSITE_RUN_FROM_PACKAGE="https://fake.blob.core.windows.net/c/fake.zip"'.format( + resource_group, webapp_name)) + src_dir = tempfile.mkdtemp() + with open(os.path.join(src_dir, 'requirements.txt'), 'w') as f: + f.write('flask') + with open(os.path.join(src_dir, 'app.py'), 'w') as f: + f.write('print("hello")') + original_dir = os.getcwd() + try: + os.chdir(src_dir) + with self.assertRaises(EnrichedDeploymentError): + self.cmd('webapp up -n {} -g {} --enriched-errors true'.format( + webapp_name, resource_group)) + finally: + os.chdir(original_dir) + + if __name__ == '__main__': unittest.main()